54

在类似的主题Validate if commit exists中,他们建议:

git rev-list HEAD..$sha

如果它在没有错误代码的情况下退出,则提交存在。

但仅用于验证就足够有效了吗?

我在考虑这个选项:

git cat-file commit $sha

它对我的任务是否正确,还有其他想法吗?

4

4 回答 4

62

您可以运行git cat-file -t $sha并检查它是否返回“提交”。你是对的,你不需要为此实际打印实际对象......

不过,我不能 100% 确定幕后发生的事情是否更有效率。

test $(git cat-file -t $sha) == commit

于 2013-08-29T16:12:30.450 回答
42
git cat-file -e $sha^{commit}

来自git cat-file文档:

   -e
      Suppress all output; instead exit with zero status if <object> exists
      and is a valid object.

这 (1) 表明这是一个预期的用例,cat-file并且 (2) 避免了实际输出任何提交内容的资源。

附加^{commit}确保对象是一个提交(即不是树或 blob),或者 - 正如 remram 指出的那样 - 解析为一个提交。

例如,

if git cat-file -e $sha^{commit}; then
  echo $sha exists
else
  echo $sha does not exist
fi
于 2015-08-03T06:40:31.933 回答
8

如果您确定 sha 是提交,则cat-file -e可以使用例如:

if git cat-file -e $sha 2> /dev/null 
then 
  echo exists 
else 
  echo missing 
fi

这是非常有效的,因为这是一个内置的并且除了检查 sha 是否存在之外不做任何事情:

return !has_sha1_file(sha1);

否则,如果不确定 sha 是否是提交对象,则需要像使用其他答案一样确定类型git cat-file -t。这只是稍微降低性能,因为 git 必须查看文件信息。这不像解压整个文件那样昂贵。

于 2013-08-29T16:05:41.677 回答
8
git rev-parse -q --verify "$sha^{commit}" > /dev/null

git rev-parse文档:

   --verify
       Verify that exactly one parameter is provided, and that it can be turned into a raw 20-byte SHA-1 that can be used to access the object database. If so, emit it to the standard output; otherwise, error out.

       If you want to make sure that the output actually names an object in your object database and/or can be used as a specific type of object you require, you can add the ^{type} peeling operator to the parameter. For
       example, git rev-parse "$VAR^{commit}" will make sure $VAR names an existing object that is a commit-ish (i.e. a commit, or an annotated tag that points at a commit). To make sure that $VAR names an existing object of
       any type, git rev-parse "$VAR^{object}" can be used.

   -q, --quiet
       Only meaningful in --verify mode. Do not output an error message if the first argument is not a valid object name; instead exit with non-zero status silently. SHA-1s for valid object names are printed to stdout on
       success.

作为奖励,如果你不抑制输出,你可以获得完整的sha。

于 2019-04-12T14:47:01.130 回答