配置Git
拿到Git首先要做的就是配置
~ git config --global user.name "Joshuaber"
~ git config --global user.email "1174980997@qq.com"
以上命令设置全局的Git用户名和Email,以后提交文件时默认使用该用户。如果想要为某个仓库单独设置用户,去掉--global
即可。
可以通过git config --list
查看用户信息:
~ git config --list
user.name=Joshuaber
user.email=1174980997@qq.com
创建仓库(repository)
仓库(也叫版本库),可以简单理解成一个被Git管理起来的目录,每个文件的修改、删除,Git都能跟踪。
可以在任何时刻都可以追踪历史,或者在某个时刻进行“还原”。
创建仓库的方法非常简单:
- 创建目录
~ mkdir Git
~ Git
- 把目录变成仓库
~ git init
Initialized empty Git repository in /home/joshua/Documents/Git/.git/
使用ls -a
可以看到,文件夹下多了个.git
文件夹,这个目录是Git来跟踪管理版本库的
注意
这里强调一下,所有的版本控制系统,其实只能跟踪文本文件(TXT/源代码等)的改动。
而二进制文件,虽然也能由版本控制系统管理,但没法跟踪文件的具体变化。不幸的是,Microsoft的Word格式是二进制格式。因此,版本控制系统是没法跟踪Word文件的改动的。
因为文本是有编码的,强烈建议使用标准的UTF-8编码,所有语言使用同一种编码,既没有冲突,又被所有平台所支持。
添加文件到仓库
在Git目录(或子目录)下,新建文件README.MD
(名称任意)。输入内容:
## README
* This a readme file.
* This file is used to study git.
> Git is a free version control system.
- 命令
git add
告诉Git,把文件添加到仓库
~ git add README.MD
- 命令
git commit
告诉Git,把文件提交到仓库
~ git commit -m "wrote a readme file"
[master (root-commit) e94861f] wrote a readme file
1 file changed, 6 insertions(+)
create mode 100644 README.MD
解释一下git commit
命令:-m
后面输入的是本次提交的说明,最好是有意义的,这样你就能从历史记录里方便地找到改动记录。
-
git add
添加多个文件,由git commit
统一提交
查看状态
我们已经添加了一个文件,git status
查看一下状态:
~ git status
On branch master
nothing to commit, working tree clean
下面我们改动一下README.MD文件
## README
* This a readme file.
* This file is used to study git.
> Git is a free distributed version control system.
再查看一下状态:
~ git status
On branch master
Changes not staged for commit:
(use "git add <file>..." to update what will be committed)
(use "git checkout -- <file>..." to discard changes in working directory)
modified: README.MD
no changes added to commit (use "git add" and/or "git commit -a")
git status
命令可以让我们时刻掌握仓库当前的状态。
上面的命令告诉我们,README.MD被修改过了,但还没有准备提交的修改。
查看修改内容
git status
只能让我们知道仓库的状态,但却不能让我们知道具体修改了哪些内容。
使用git diff
查看具体的修改内容:
~ git diff
diff --git a/README.MD b/README.MD
index 0e988dc..b5f32ab 100644
--- a/README.MD
+++ b/README.MD
@@ -3,4 +3,4 @@
* This a readme file.
* This file is used to study git.
-> Git is a free version control system.
+> Git is a free distributed version control system.
(END)
从中很明显的看到我们添加了distributed单词。
既然已经掌握了修改的部分,我们提交文件就放心了,使用git add
和git commit
。