我在一个分支上工作,我想回到 master 忽略我在分支上所做的所有更改

I am working on a branch, and I want to go back to master ignoring all the changes I did on the branch

昨天我在一个分支上工作,转念一想,我想尝试一种完全不同的方法。这意味着回到 master 恢复我原来的代码,并从一个新的分支重新开始。 事实证明,我的 master 分支保留了我对代码所做的所有更改。据我了解,这是因为我没有提交我的分支,对吗?

基本上,git只有"validates"一个分支,一旦你提交了它,否则就像你还在从主那里工作,对吗?

假设您从一个已提交的主分支创建了一个分支 (temp_work),并且您在 temp_work 分支中工作。现在你没有提交 temp_work,你想回到 master 分支忽略在 temp_work.

中完成的工作
------> master
           \
            \-----> temp_work
                          ^
                          |
                        Head

如果您在 temp_work 上没有提交就切换回 master,您的所有更改也将在 master 分支中可见。这是因为你没有在临时分支中提交。

要切换到原始主分支内容而忽略 temp_branch 中的所有更改,您可以通过两种方式进行

解决方案 1

  • 提交 temp_work。
git add .
git commit -m "temp_work"
  • 切换到主分支

git checkout master

  • 删除 temp_work 分支(如果您不再需要它)

git branch -D temp_work

方案二(我用的那个)

  • 切换到 temp_work 分支

git checkout temp_work

  • 暂存所有更改并存储所有更改
git add .
git stash
  • 切换到主分支

git checkout master

  • 删除置顶的工作

git stash drop

在回答之前,让我们添加一些背景知识,解释一下这个 HEAD 是什么。

First of all what is HEAD?

HEAD 只是对当前分支上当前提交(最新)的引用。
在任何给定时间只能有一个 HEAD(不包括 git worktree)。

HEAD 的内容存储在 .git/HEAD 中,它包含当前提交的 40 字节 SHA-1。


detached HEAD

如果您不在最新的提交上 - 这意味着 HEAD 指向历史上的先前提交,它被称为 detached HEAD.

在命令行上,它看起来像这样 - SHA-1 而不是分支名称,因为 HEAD 没有指向当前分支的尖端:


关于如何从分离的 HEAD 中恢复的几个选项:


git checkout

git checkout <commit_id>
git checkout -b <new branch> <commit_id>
git checkout HEAD~X // x is the number of commits t go back

这将检出指向所需提交的新分支。
此命令将签出给定的提交。
此时,你可以创建一个分支,从这里开始工作。

# Checkout a given commit.
# Doing so will result in a `detached HEAD` which mean that the `HEAD`
# is not pointing to the latest so you will need to checkout branch
# in order to be able to update the code.
git checkout <commit-id>

# Create a new branch forked to the given commit
git checkout -b <branch name>

git reflog

您也可以随时使用 reflog
git reflog 将显示更新 HEAD 的任何更改,并检查所需的 reflog 条目会将 HEAD 设置回此提交。

每次修改 HEAD 都会在 reflog

中有一个新条目
git reflog
git checkout HEAD@{...}

这会让你回到你想要的提交


git reset --hard <commit_id>

“移动”您的 HEAD 回到所需的提交。

# This will destroy any local modifications.
# Don't do it if you have uncommitted work you want to keep.
git reset --hard 0d1d7fc32

# Alternatively, if there's work to keep:
git stash
git reset --hard 0d1d7fc32
git stash pop
# This saves the modifications, then reapplies that patch after resetting.
# You could get merge conflicts if you've modified things which were
# changed since the commit you reset to.
  • 注意:(Since Git 2.7)您也可以使用git rebase --no-autostash

git revert <sha-1>

“撤消”给定的提交或提交范围。
重置命令将“撤消”给定提交中所做的任何更改。
将提交带有撤消补丁的新提交,而原始提交也将保留在历史记录中。

# Add a new commit with the undo of the original one.
# The <sha-1> can be any commit(s) or commit range
git revert <sha-1>

此架构说明了哪个命令执行什么操作。
如您所见,reset && checkout 修改 HEAD.