使用git rebase——interactive <commit>,你可以把任意数量的提交压缩成一个单独的提交。
这一切都很好,除非您想将提交压缩到初始提交中。这似乎是不可能的。
有什么方法可以实现吗?
适度相关:
在一个相关的问题中,我设法提出了一种不同的方法来满足压缩第一次提交的需要,也就是将其作为第二次提交。
如果你感兴趣:git:如何插入一个提交作为第一个,转移所有其他?
使用git rebase——interactive <commit>,你可以把任意数量的提交压缩成一个单独的提交。
这一切都很好,除非您想将提交压缩到初始提交中。这似乎是不可能的。
有什么方法可以实现吗?
适度相关:
在一个相关的问题中,我设法提出了一种不同的方法来满足压缩第一次提交的需要,也就是将其作为第二次提交。
如果你感兴趣:git:如何插入一个提交作为第一个,转移所有其他?
当前回答
这将把第二次提交压缩到第一次提交中:
a - b - c -…- > AB-C -…
git filter-branch --commit-filter '
if [ "$GIT_COMMIT" = <sha1ofA> ];
then
skip_commit "$@";
else
git commit-tree "$@";
fi
' HEAD
AB的提交消息将从B获取(尽管我更喜欢从A)。
与Uwe Kleine-König的答案具有相同的效果,但也适用于非首字母A。
其他回答
为了避免这个问题,我总是在第一次提交时创建一个“no-op”,其中存储库中唯一的东西是一个空的.gitignore:
https://github.com/DarwinAwardWinner/git-custom-commands/blob/master/bin/git-myinit
这样,就不会有任何理由破坏第一次提交。
你可以使用git filter-branch。如。
git filter-branch --parent-filter \
'if test $GIT_COMMIT != <sha1ofB>; then cat; fi'
这将导致AB-C丢弃A的提交日志。
有一种更简单的方法。假设您在主分支上
创建一个新的孤立分支,它将删除所有的提交历史:
$ git checkout --orphan new_branch
添加你的初始提交消息:
$ git commit -a
摆脱旧的未合并的主分支:
$ git branch -D master
将当前分支new_branch重命名为master:
$ git branch -m master
我重做了VonC的脚本自动做所有事情,不要求我任何东西。你给它两个sha1提交,它会把它们之间的所有内容压缩到一个名为“squashed history”的提交中:
#!/bin/sh
# Go back to the last commit that we want
# to form the initial commit (detach HEAD)
git checkout $2
# reset the branch pointer to the initial commit (= $1),
# but leaving the index and working tree intact.
git reset --soft $1
# amend the initial tree using the tree from $2
git commit --amend -m "squashed history"
# remember the new commit sha1
TARGET=`git rev-list HEAD --max-count=1`
# go back to the original branch (assume master for this example)
git checkout master
# Replay all the commits after $2 onto the new initial commit
git rebase --onto $TARGET $2
这将把第二次提交压缩到第一次提交中:
a - b - c -…- > AB-C -…
git filter-branch --commit-filter '
if [ "$GIT_COMMIT" = <sha1ofA> ];
then
skip_commit "$@";
else
git commit-tree "$@";
fi
' HEAD
AB的提交消息将从B获取(尽管我更喜欢从A)。
与Uwe Kleine-König的答案具有相同的效果,但也适用于非首字母A。