61

我是 Git 新手,并且有一个相当大的项目,我想将其推送到 Github 上的远程仓库(仓库 B)。最初的项目也在 Github 上,但来自不同的 repo (Repo A)。在我可以在 Repo B 上设置项目之前,我必须对 Repo A 中的文件进行一些更改。我已经设置了遥控器、ssh 密钥等,并且在将代码库推送到 Repo B 时遇到了问题。

我一直收到以下错误:

$ git push <remote_repo_name> master
Enter passphrase for key '/c/ssh/.ssh/id_rsa':
Counting objects: 146106, done.
Delta compression using up to 4 threads.
Compressing objects: 100% (35519/35519), done.
fatal: pack exceeds maximum allowed size00 GiB | 154 KiB/s
fatal: sha1 file '<stdout>' write error: Invalid arguments
error: failed to push some refs to 'git@github.com:<repo>.git

我在本地 gitconfig 中更改了以下设置

git config pack.packSizeLimit 1g
git config pack.windowMemory 1g

...并运行 git gc (我看到它重新组织了包,使每个包都保持在 1GB 的包大小内)。这不起作用,我得到了上面看到的错误。

我也尝试降低每个包装的尺寸....

git config pack.packSizeLimit 500m
git config pack.windowMemory 500m

...并运行 git gc (我看到它重新组织了包,使每个包都保持在 500MB 的包大小内)。这也不起作用,我遇到了同样的错误。

我不确定 Github 的默认包大小限制是多少(如果有的话)。如果重要的话,该帐户是一个微型帐户。

4

3 回答 3

47

packsize 限制不影响 git 协议命令(您的推送)。

git-configpack.packSizeLimit

一包的最大尺寸。此设置仅影响重新打包时打包到文件,即 git:// 协议不受影响

执行推送时,无论大小如何,git 总是会创建一个包!

要解决此问题,请使用两个(或更多)推送:

git push remoteB <some previous commit on master>:master
...
git push remoteB <some previous commit after the last one>:master
git push remoteB master

这些推送都会有更小的包并且会成功。

于 2013-07-24T06:35:08.330 回答
38

正如 onionjake 在他的回答中指出的那样,该pack.packSizeLimit设置不会影响 pushes。正如他所建议的,这通常可以通过使用每次提交较少的多次推送来解决。rurban 发表了关于如何自动推送 500 次提交的评论。以下是他的评论的修改版本,无论远程分支是否存在或是否存在并且已经包含一些提交,都可以正常工作。当存储库包含多个根提交时,我还在调用中添加了--first-parent参数以git log防止错误。我还进行了一些调整以提高效率,并添加了一个额外的调用git push来推送最终(部分)批次的提交:

# Adjust the following variables as necessary
REMOTE=origin
BRANCH=$(git rev-parse --abbrev-ref HEAD)
BATCH_SIZE=500

# check if the branch exists on the remote
if git show-ref --quiet --verify refs/remotes/$REMOTE/$BRANCH; then
    # if so, only push the commits that are not on the remote already
    range=$REMOTE/$BRANCH..HEAD
else
    # else push all the commits
    range=HEAD
fi
# count the number of commits to push
n=$(git log --first-parent --format=format:x $range | wc -l)

# push each batch
for i in $(seq $n -$BATCH_SIZE 1); do
    # get the hash of the commit to push
    h=$(git log --first-parent --reverse --format=format:%H --skip $i -n1)
    echo "Pushing $h..."
    git push $REMOTE ${h}:refs/heads/$BRANCH
done
# push the final partial batch
git push $REMOTE HEAD:refs/heads/$BRANCH
于 2018-07-22T19:03:54.987 回答
3

好吧,在大多数情况下,限制每次推送中的提交计数(例如 500)是有帮助的。但它无法解决单个大提交导致的错误。

如果单个大提交超过了 git 服务器的限制大小,则限制提交计数(甚至为 1)将无济于事。

修复单个大提交:

  1. 如果此提交包含多个文件,则可以通过创建子提交和合并提交来解决。
  2. 如果它是一个大文件,那么就没有好的解决方案。

修复包含多个文件的单个大型提交(例如 file1、file2、...、file10)

git checkout -b tmp SINGLE_LARGE_COMMIT^
git add file1 file2 file3 file4  # add a sub-class of files inside SINGLE_LARGE_COMMIT
git commit -m 'sub-commit'
git push origin tmp
git merge master  # or any other branch which contains SINGLE_LARGE_COMMIT
git push origin tmp
git checkout master
git push origin master # success

于 2021-03-26T07:56:10.203 回答