关于git rm命令的理解
我们在使用Git时,难免会遇到工作区的文件编辑错误或者该错误已经add到了暂存区,此时就需要用到git rm
命令,该命令有如下三个分支:
$ rm <file> 只删除工作区的文件
$ git rm --cached <file> 只删除暂存区的文件
$ git rm <file> 删除工作区和暂存区的文件
为了方便理解,我将Git仓库repository定义为三个区域:
工作区:
working diretory
暂存区:
stage/index
提交区:
master
下面这个图展示了工作区、版本库中的暂存区和提交区之间的关系。
准备工作:
首先创建一个test文件夹作为仓库,并创建readme.txt文件,文件内容:aaaaaaaaaaa;
$ mkdir test 创建test文件夹
$ cd test 进入test目录
$ git init 创建仓库,生成.git文件
然后add并commit到版本库中;
$ git add test.txt 向暂存区add文件
$ git commit -m "aaaaaaaaaaaa" 向提交区commit文件
[master (root-commit) f47ec85] aaaaaaaaaaaa
1 file changed, 1 insertion(+)
create mode 100644 test.txt
1. 使用rm <file>
命令删除
此时,运行$ rm test.txt
命令:
$ rm test.txt
运行该命令后,test文件下的test.txt文件消失,运行$ git status
命令:
$ git status
On branch master
Changes not staged for commit:
(use "git add/rm <file>..." to update what will be committed)
(use "git checkout -- <file>..." to discard changes in working directory)
deleted: test.txt
no changes added to commit (use "git add" and/or "git commit -a")
Changes not staged for commit
表明删除文件和新增文件对Git来说都是一种改变,并没有将此改变提交到暂存区。如果要在提交区也要删除此文件,那么就要将此删除改变先add到暂存区,然后再执行commit命令。
2. 使用git rm --cached <file>
命令删除
此时,运行$ git rm --cached test.txt
命令:
$ git rm --cached test.txt
rm 'test.txt'
则暂存区的test.txt文件被删除,运行$ git status
命令:
$ git status
On branch master
Changes to be committed:
(use "git reset HEAD <file>..." to unstage)
deleted: test.txt
Untracked files:
(use "git add <file>..." to include in what will be committed)
test.txt
其中:Untracked files
表明test.txt文件已经没有被暂存区跟踪,即从暂存区删除。
而Changes to be committed
则表明此删除改变已经提交到暂存区,因为直接在暂存区删除了文件,相当于将删除操作直接add到了暂存区。
到这里有两种操作:
1. 不执行commit命令,执行git checkout HEAD test.txt
,则可将提交区的test.txt文件恢复到工作区和暂存区;
2. 执行commit命令,在提交区删除该文件,此时只有工作区还存在test.txt文件。
3. 使用git rm <file>
命令删除
此时,运行$ git rm test.txt
命令:
$ git rm test.txt
rm 'test.txt'
则工作区和暂存区的test.txt文件均被删除,运行$ git status
命令:
$ git status
On branch master
Changes to be committed:
(use "git reset HEAD <file>..." to unstage)
deleted: test.txt
据此可知,和$ git rm --cached test.txt
的第一种状态一样。