忽略特殊文件
有些时候,你必须把某些文件放到Git工作目录中,但是又不能提交它们,比如保存了数据库密码的配置文件啦,等等,每次git status
都会显示Untracked files ...
,有强迫症的童鞋心里肯定别扭.
好在Git考虑到了大家的感受,这个问题解决起来也简单,在Git工作区的根目录下创建一个特殊的.gitignore
文件,然后把要忽略的文件名或者文件夹填进去,Git就会自动忽略这些文件.
不需要从头写.gitignore
文件,GitHUb已经为我们准备了各种配置文件,只需要组合一下就可以使用了,所有配置文件可以直接在线预览:https://github.com/github/gitignore.
忽略文件的原则是:
- 忽略操作系统自动生成的文件,比如缩略图等;
- 忽略编译生成的中间文件、可执行文件等,也就是如果一个文件是通过另一个文件自动生成的,那么自动生成的文件就没必要放入版本库,比如Java编译产生的
.class
文件; - 忽略你自己的带有敏感信息的配置文件,比如存放口令的配置文件.
举个例子:
假设你在Windows下进行Python开发,Windows会自动在有图片的目录下生成隐藏的缩略图文件,如果有自定义目录,目录下就会有Desktop.ini
文件,因此你需要忽略Windows自动生成的垃圾文件:
# Windows:
Thumbs.db
ehthumbs.db
Desktop.ini
然后,继续忽略Python编译产生的.pyc、.pyo、dist等文件或目录:
# Python:
*.py[cod]
*.so
*.egg
*.egg-info
dist
build
加上你自己定义的文件,最终得到一个完整的.gitignore文件,内容如下:
# Windows:
Thumbs.db
ehthumbs.db
Desktop.ini
# Python:
*.py[cod]
*.so
*.egg
*.egg-info
dist
build
# My configurations:
db.ini
deploy_key_rsa
最后一步就是把.gitignore
也提交到Git,就完成了!
有些时候,你想添加一个文件到Git,但发现添加不了,原因是这个文件被.gitignore
忽略了:
$ git add App.class
The following paths are ignored by one of your .gitignore files:
App.class
Use -f if you really want to add them.
如果你确实想添加该文件,可以用-f
强制添加到Git:
$ git add -f App.class
或者你发现,可能是.gitignore
写得有问题,需要找出来到底哪个规则写错了,可以用git check-ignore
命令检查:
$ git check-ignore -v App.class
.gitignore:3:*.class App.class
Git会告诉我们,.gitignore
的第三行规则忽略了该文件,于是我们就可以知道应该修正哪个规则.
配置别名
如果觉得Git的命令不好记,有些命令老是输错,比如git status
,如果敲git st
就表示git status
那就简单多了,我们只需要敲一行命令,告诉Git以后用st
就表示status
:
$ git config --global alias.st status
好了,现在敲git st
看看效果:
$ git st
On branch master
Your branch is ahead of 'origin/master' by 4 commits.
(use "git push" to publish your local commits)
nothing to commit, working tree clean
当然还有很多命令可以简写:
$ git config --global alias.co checkout
$ git config --global alias.ci commit
$ git config --global alias.br branch
那么,以后提交就可以写成:
$ git ci -m "bala bala bala..."
--global
参数是全局参数,也就是这些命令在这台电脑的所有Git仓库下都有用.
配置文件
配置Git的时候,加上--global
是针对当前用户起作用的,如果不加,那只针对当前的仓库起作用.
配置文件放在哪了?每个仓库的Git配置文件都放在.git/config
文件中:
[core]
repositoryformatversion = 0
filemode = false
bare = false
logallrefupdates = true
symlinks = false
ignorecase = true
[remote "origin"]
url = https://github.com/Alanluochong/spring-boot-mongo.git
fetch = +refs/heads/*:refs/remotes/origin/*
[branch "master"]
remote = origin
merge = refs/heads/master
[alias]
st = status
别名就在[alias]
后面,要删除别名,直接把对应的行删掉即可.
而当前用户的Git配置文件放在用户主目录下的一个隐藏文件.gitconfig
中:
[http]
postBuffer = 524000000
[user]
email = chong_luo@kingdee.com
name = alan7c
[color]
ui = true
配置别名也可以直接在这个文件操作,如果改错了,可以删掉文件重新通过命令配置.
网友评论