15

我是 git 新手,我不知道我做错了什么。我想运行 git diff --name-only 但我想排除以 .test 结尾的文件,这意味着即使这些已经更改,我也不希望 git diff 输出它已更改。我试图将这些文件添加到 .gitignore 文件中,但是当我运行 git diff 命令时,所做的只是包括 .gitignore !

我在做什么错,当我运行 git diff 时如何排除文件?

4

1 回答 1

23

好吧,这就是你做错了。Git 将继续跟踪这些文件,因为您已经在项目的早期开始跟踪它们。在之前的某个时间点,您是否运行了一个看起来像这样的初始提交:

git add . # this added everything to the tracking system including your .test files
git commit -a -m 'I just committed everything in my project .test files included'

放置的东西是你的 gitignore 文件将阻止你创建的以 .test 结尾的文件进入你的项目,但是你需要从 git 的内存中删除你已经告诉 git 跟踪的 .test 文件。将内容放入 gitignore 不会对已跟踪的文件执行任何操作。你现在需要做的是:

选项1:

# you can remove the files from gits tracking system and then put them back
# when you go to put them back now git will have no memory of tracking these
# and will consider future edits to be ignored
# Back your .test files up before doing this, and this will delete them from your project
git rm /path/to/your/file.test

选项 2:

# this is safer but does not use gitignore at all
git update-index --assume-unchanged /path/to/your/file.test

当您运行选项 2 时,您是在告诉 git,该文件在剩下的时间里永远不会改变(即使它在现实生活中也是如此)这让您可以将 .test 文件保留为跟踪项目的一部分(就像现在一样),但是 git 永远不会再为它们的更改而打扰您了。请注意,此操作可以随时撤消,并且不会造成破坏,这就是它更安全的原因。此外,您应该在使用它之前阅读它。

https://www.kernel.org/pub/software/scm/git/docs/git-update-index.html

于 2013-07-23T20:28:07.063 回答