在Git中,我试图squash commit通过合并另一个分支然后HEAD通过以下方式重置到以前的位置来做:
squash commit
HEAD
git reset origin/master
但我需要走出这一步。如何将 HEAD 移回之前的位置?
23b6772我有需要将其移至的提交的 SHA-1 片段 ( )。我怎样才能回到这个提交?
23b6772
在回答之前,让我们添加一些背景,解释这HEAD是什么。
First of all what is HEAD?
HEAD`只是对当前分支上的当前提交(最新)的引用。在任何给定时间 只能有一个(不包括)。`HEAD``git worktree
的内容HEAD存储在里面.git/HEAD,它包含当前提交的 40 字节 SHA-1。
.git/HEAD
detached HEAD
如果您不在最新的提交上 - 意思HEAD是指向历史上的先前提交,则称为detached HEAD.
在命令行上,它看起来像这样 - SHA-1 而不是分支名称,因为HEAD它没有指向当前分支的尖端:
git checkout
git checkout <commit_id> git checkout -b <new branch> <commit_id> git checkout HEAD~X // x is the number of commits to 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回此提交。
reflog
每次修改 HEAD 都会在reflog
git reflog git checkout HEAD@{...}
这将使您回到所需的提交
git reset --hard
将您的 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.
git rebase --no-autostash
git revert
“撤消”给定的提交或提交范围。 重置命令将“撤消”在给定提交中所做的任何更改。 将提交带有撤消补丁的新提交,而原始提交也将保留在历史记录中。
# 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.
reset && checkout