标签:
上一篇帖子,主要进行了Git库文件的修改,并进行了添加、提交等操作,在进入主题之前,我们对readme.txt文件再次进行修改,代码:
Git is a distributed version control system.
Git is free software distributed under the GPL.
对修改后的文件add并commit,代码:
$ git add readme.txt $ git commit -m "append GPL" [master 3628164] append GPL 1 file changed, 1 insertion(+), 1 deletion(-)
至此,我们一共提交了三个版本的readme文件到Git仓库中,那么我们如何查看到底提交了哪些内容,有哪些改变呢?
Git提供了git log 命令帮助我们进行观察,代码:
$ git log commit 3628164fb26d48395383f8f31179f24e0882e1e0 Author: Michael Liao <askxuefeng@gmail.com> Date: Tue Aug 20 15:11:49 2013 +0800 append GPL commit ea34578d5496d7dd233c827ed32a8cd576c5ee85 Author: Michael Liao <askxuefeng@gmail.com> Date: Tue Aug 20 14:53:12 2013 +0800 add distributed commit cb926e7ea50ad11b8f9e909c05226233bf755030 Author: Michael Liao <askxuefeng@gmail.com> Date: Mon Aug 19 17:51:55 2013 +0800 wrote a readme file
git log
命令显示从最近到最远的提交日志。
这里我们执行git log --pretty=oneline试试
:
$ git log --pretty=oneline
3628164fb26d48395383f8f31179f24e0882e1e0 append GPL
ea34578d5496d7dd233c827ed32a8cd576c5ee85 add distributed
cb926e7ea50ad11b8f9e909c05226233bf755030 wrote a readme file
我们发现,显示结果简化了许多。
这里的绿色的一大串字符是什么东西? == commit id. 也就是版本号!版本号每个人都不一样的!
那么现在我们如果要回退到上一个版本去,怎么办?
首先,Git必须知道当前版本是哪个版本,在Git中,用HEAD
表示当前版本,也就是最新的提交3628164...882e1e0
,上一个版本就是HEAD^
,上上一个版本就是HEAD^^
,当然往上100个版本写100个^
比较容易数不过来,所以写成HEAD~100
。
现在,我们要把当前版本“append GPL”回退到上一个版本“add distributed”,就可以使用git reset
命令:
$ git reset --hard HEAD^ HEAD is now at ea34578 add distributed
我们可以通过Linux中的 cat 指令查看是否回退到了上一个版本:
$ cat readme.txt
Git is a distributed version control system.
Git is free software.
此时,我们通过 git log 查看版本库的状态:
$ git log commit ea34578d5496d7dd233c827ed32a8cd576c5ee85 Author: Michael Liao <askxuefeng@gmail.com> Date: Tue Aug 20 14:53:12 2013 +0800 add distributed commit cb926e7ea50ad11b8f9e909c05226233bf755030 Author: Michael Liao <askxuefeng@gmail.com> Date: Mon Aug 19 17:51:55 2013 +0800 wrote a readme file
最新的版本不见了,此时,我们可以通过指定版本号的方式回到之前的版本:
$ git reset --hard 3628164
HEAD is now at 3628164 append GPL
版本号不需要写全,但是最少写满4位,不然容易报错,找不到文件。
这个时候cat一下,查看是否回到了最新的版本:
$ cat readme.txt
Git is a distributed version control system.
Git is free software distributed under the GPL.
Git回退的速度是很快的,其原理就是在Git中,有一个指向当前版本的指针HEAD,当回退到哪一个版本,则指针指向哪一个版本号,即定位在哪里。
注:如果,我们找不到commit id了,怎么办?
Git提供了一个命令git reflog
用来记录你的每一次命令:
$ git reflog ea34578 HEAD@{0}: reset: moving to HEAD^ 3628164 HEAD@{1}: commit: append GPL ea34578 HEAD@{2}: commit: add distributed cb926e7 HEAD@{3}: commit (initial): wrote a readme file
ok,这样,我们就找到了相关的版本的id号。
标签:
原文地址:http://www.cnblogs.com/pepsimaxin/p/4872177.html