34

我有一个非常大的 Git 存储库,它只包含经常更改的二进制文件。自然地,Git 存储库比其中的实际文件大得多我并不真正关心旧历史,我只需要一些较新的历史就可以恢复一些错误的更改。所以假设我想删除除最后五个之外的所有提交。

自然,我想这样做以保持存储库很小,因此必须从存储库中完全清除已删除的提交。

我想用一个命令(别名)或脚本以非交互方式完成所有这些。我怎样才能做到这一点?

4

2 回答 2

18

这是一个rebase-last-five帮助您入门的别名。它将重新创建当前分支,因此只有最近的五个提交在历史记录中。最好将此脚本 ( git-rebase-last-five.sh) 设置为在您的PATH; Git 将查找和使用命名git-....sh的脚本,而无需任何特殊配置。该脚本应该比这个简单的别名进行更多的错误检查和处理。

$ git config --global alias.rebase-last-five '!b="$(git branch --no-color | cut -c3-)" ; h="$(git rev-parse $b)" ; echo "Current branch: $b $h" ; c="$(git rev-parse $b~4)" ; echo "Recreating $b branch with initial commit $c ..." ; git checkout --orphan new-start $c ; git commit -C $c ; git rebase --onto new-start $c $b ; git branch -d new-start ; git gc'

CAVEAT EMPTOR:请注意有关改变历史的警告

检查man页面(git help <command>在线)以获取更多信息。

一个示例用法:

$ git --version
git version 1.7.12.rc2.16.g034161a
$ git log --all --graph --decorate --oneline
* e4b2337 (HEAD, master) 9
* e508980 8
* 01927dd 7
* 75c0fdb 6
* 20edb42 5
* 1260648 4
* b3d6cc8 3
* 187a0ef 2
* e5d09cf 1
* 07bf1e2 initial
$ git rebase-last-five 
Current branch: master e4b2337ef33d446bbb48cbc86b44afc964ba0712
Recreating master branch with initial commit 20edb42a06ae987463016e7f2c08e9df10fd94a0 ...
Switched to a new branch 'new-start'
[new-start (root-commit) 06ed4d5] 5
 1 file changed, 1 insertion(+)
 create mode 100644 A
First, rewinding head to replay your work on top of it...
Applying: 6
Applying: 7
Applying: 8
Applying: 9
Deleted branch new-start (was 06ed4d5).
Counting objects: 35, done.
Delta compression using up to 2 threads.
Compressing objects: 100% (15/15), done.
Writing objects: 100% (35/35), done.
Total 35 (delta 4), reused 0 (delta 0)
$ git log --all --graph --decorate --oneline
* a7fb54b (HEAD, master) 9
* 413e5b0 8
* 638a1ae 7
* 9949c28 6
* 06ed4d5 5
于 2012-08-13T15:08:04.767 回答
9

好的,如果您想要我认为您想要的(请参阅我的评论),我认为这应该可行:

  1. 创建分支以保存所有提交(以防万一):

    git branch fullhistory

  2. 仍然在 master 上时,将 --hard 重置为您要保留历史记录的提交:

    git reset --hard HEAD~5

  3. 现在重置--hard到历史的开头,这应该使您的工作区保持不变,因此它保持在 HEAD~5 状态。

    git reset --soft <first_commit>

  4. 因此,现在您在 上拥有空白历史记录master,以及您在工作区中需要的所有更改。只需提交它们。

    git commit -m "all the old changes squashed"

  5. fullhistory现在从你想在这里挑选这 4 个提交:

    git cherry-pick A..B

其中 A 比 B 大,记住 A 不包括在内。所以它应该是你想要包含的最旧提交的父级。

于 2012-08-13T09:52:38.150 回答