您看到以前提交的文件被删除的原因是第一个存储库中的git索引(它只是一个名为 的文件index
)与第二个存储库中的索引不同。第一个中的索引对应于工作树,而第二个中的索引未初始化,因此没有条目。的输出git status
是两个比较的结果:
- 和索引之间
HEAD
(确定要提交的分阶段更改)
- 在索引和工作树之间(确定不会提交的未暂存更改)
在您的情况下,HEAD
在第二个存储库中指向一个提交,其中包含您从根文件系统提交的所有文件,但索引为空。因此,当 git 执行第一次比较时,它认为这些文件中的每一个都已准备好在下一次提交时删除。
当 git 执行第二次比较时,它发现工作树包含所有与提交相同的文件,但索引当然仍然是空的,因此它将这些文件视为“新”未跟踪文件。这就是为什么您将所有文件都视为已删除和未跟踪的原因。
解决方案非常简单:初始化第二个索引,使其匹配master
:
git --work-tree=/ reset
当我在这里时,我应该指出您发布的命令的其他一些问题:
- 首先,您
git add -U
将所有 git 存储库元数据文件添加到存储库。换句话说,存储库正在跟踪自己。这是您使用方式的结果--work-tree
,而且非常糟糕。info/exclude
您应该通过将存储库文件添加到或来确保它们被忽略.gitignore
。
- 其次,你真的不想要一个裸存储库,只是一个分离的工作树。你可以通过
git config core.bare false
and实现这个目标export GIT_DIR=/media/usb
;然后您可以从外部(即上面/media/usb
)运行 git 命令,并且您不必--work-tree=/
在每个命令中不断包含作为全局选项。
这是一个完整的测试用例,它封装了我刚刚介绍的所有内容,除了第二个要点:
#!/bin/sh
root=fakeroot
mkdir -p $root/media/usb{1,2} $root/{bin,etc}
echo a > $root/bin/sh
echo b > $root/etc/hosts
cd $root/media/usb1
git init --bare
# We don't want our git repository meta-data being tracked.
echo '/media/usb*/' >> info/exclude
git --work-tree=../.. add -A ../..
git --work-tree=../.. commit -m '1st commit'
echo c >> ../../etc/hosts
git --work-tree=../.. add -A ../..
git --work-tree=../.. commit -m '2nd commit'
git remote add origin ../usb2
git --git-dir=../usb2 init --bare
git push origin master
cd ../usb2
echo '/media/usb*/' >> info/exclude
echo "========================================="
echo "index in usb2 is not yet initialized:"
git --work-tree=../.. status
echo "========================================="
echo "initialize index to master (HEAD)"
git --work-tree=../.. reset
echo "========================================="
echo "now we have a clean working tree:"
git --work-tree=../.. status