我在使用git(github)方面遇到了一些麻烦,因为我是新手,我的思想在SVN中思考,我想我只是没有得到这个......请帮忙。
所以我正在做一些branch_1进行一些更改和提交, 然后做git push origin branch_1(并在该分支上发出pull请求) 然后再做一些改变和提交。
然后我决定切换到其他功能,所以我做到了 git checkout -b branch_2
我更改了一些文件,提交了那个单独的文件,然后: git push origin branch_2 但是当我尝试在branch_2上发出pull请求时,它包含来自branch_2的提交和来自branch_1的一些提交
我的问题基本上是,我做错了什么(通常如何正确处理?) 最重要的是我现在如何解决这个问题?我需要让branch_2只提交一次我在其上做的最后一次更改,并使用那次提交对它进行拉取请求。
基本上我需要的是在不同的分支上来回切换,相应地进行提交,并为每个分支执行pull请求,只在适当的分支上完成工作。
非常感谢!
答案 0 :(得分:2)
让我们看一下这里发生的事情。以下是我认为你做过的复制:
$ 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
提前2次提交('添加C'和'添加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