因此,让我们通过一个示例来看看这里发生了什么。以下是我认为您所做的复制:
$ git init && touch README && git add README && git commit -m 'Initial commit'
Initialized empty Git repository in /home/peter/ex/.git/
[master (root-commit) 56c1728] Initial commit
0 files changed
create mode 100644 README
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* 56c1728 (HEAD, master) Initial commit
$ git checkout -b branch1
Switched to a new branch 'branch1'
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* 56c1728 (HEAD, master, branch1) Initial commit
git checkout -b <new_branch>
将在任何地方创建一个分支HEAD
。看看branch1
现在如何指向与以前相同的提交HEAD
。
现在让我们做一些提交。
$ touch A
$ git add A
$ git commit -m 'Add A'
[branch1 298c3f9] Add A
0 files changed
create mode 100644 A
$ touch B
$ git add B
$ git commit -m 'Add B'
[branch1 24ffff3] Add B
0 files changed
create mode 100644 B
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* 24ffff3 (HEAD, branch1) Add B
* 298c3f9 Add A
* 56c1728 (master) Initial commit
所以现在,如果我们在 处创建一个分支HEAD
,就会发生这种情况。
$ git checkout -b branch2
Switched to a new branch 'branch2'
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* 24ffff3 (HEAD, branch2, branch1) Add B
* 298c3f9 Add A
* 56c1728 (master) Initial commit
这不是你打算做的,但你继续工作branch2
。
$ touch C
$ git add C
$ git commit -m 'Add C'
[branch2 2cdb51b] Add C
0 files changed
create mode 100644 C
$ touch D
$ git add D
$ git commit -m 'Add D'
[branch2 db7fa2b] Add D
0 files changed
create mode 100644 D
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* db7fa2b (HEAD, branch2) Add D
* 2cdb51b Add C
* 24ffff3 (branch1) Add B
* 298c3f9 Add A
* 56c1728 (master) Initial commit
所以现在branch2
提前master
了 4 次提交,但你真的只想branch2
比 master 提前 2 次提交('Add C' 和 'Add D')。我们可以用git rebase
.
$ git rebase --onto master branch1 branch2
First, rewinding head to replay your work on top of it...
Applying: Add C
Applying: Add D
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* c8a299f (HEAD, branch2) Add D
* b9325dc Add C
| * 24ffff3 (branch1) Add B
| * 298c3f9 Add A
|/
* 56c1728 (master) Initial commit
下次创建分支时,您可以使用该git checkout -b <new_branch> <start_point>
表单。
$ git checkout -b branch3 master
Switched to a new branch 'branch3'
$ git log --decorate --graph --all --pretty=oneline --abbrev-commit
* c8a299f (branch2) Add D
* b9325dc Add C
| * 24ffff3 (branch1) Add B
| * 298c3f9 Add A
|/
* 56c1728 (HEAD, master, branch3) Initial commit