如何列出给定分支所包含的标签,与之相反:
git tag --contains
哪个"仅列出包含指定提交的标记".
如果这样的事情不存在,我如何测试另一个提交是否包含提交,以便我可以编写脚本?
我能做到这一点:
commit=$(git rev-parse $branch) for tag in $(git tag) do git log --pretty=%H $tag | grep -q -E "^$commit$" done
但我希望有更好的方法,因为这可能需要很长时间才能在具有许多标记和提交的存储库中.
git tag --merged
从手册页:
--[no-]mergedOnly list tags whose tips are reachable, or not reachable if --no-merged is used, from the specified commit (HEAD if not specified).
我相信这个选项最近才被添加 - 当提出原始问题并提出上述答案时,肯定无法提供.由于这个帖子仍然是谷歌的第一个问题,我认为我会把它扔给任何向下滚动到底部的人寻找一个答案,这个答案涉及的打字少于接受的答案(当我忘记时我自己参考)下周再次回答这个问题).
这可能接近你想要的:
git log --simplify-by-decoration --decorate --pretty=oneline "$committish" | fgrep 'tag: '
但是,更常见的情况是找到最新的标签:
git describe --tags --abbrev=0 "$committish"
--tags
将搜索轻量级标签,如果您只想考虑带注释的标签,请不要使用它.
不要使用--abbrev=0
,如果你想也看到了通常"的'承诺在最前’号和缩写哈希"后缀(如v1.7.0-17-g7e5eb8).
列出当前分支上可到达的所有标记:
git log --decorate=full --simplify-by-decoration --pretty=oneline HEAD | \ sed -r -e 's#^[^\(]*\(([^\)]*)\).*$#\1#' \ -e 's#,#\n#g' | \ grep 'tag:' | \ sed -r -e 's#[[:space:]]*tag:[[:space:]]*##'
我没有足够的声誉来评论其他人的帖子,但这是对答案及其评论的回应/sf/ask/17360801/.为了显示当前分支可以访问的所有标记,包括HEAD提交中的标记,您可以使用以下内容:
git log --decorate --oneline | egrep '^[0-9a-f]+ \((HEAD, )?tag: ' | ssed -r 's/^.+tag: ([^ ]+)[,\)].+$/\1/g'
一个警告 - 我使用super sed,所以你可能需要将我的"ssed"改为sed.
对于它的地狱,这是在PowerShell中:
git log --decorate --oneline | % { if ($_ -match "^[0-9a-f]+ \((HEAD, )?tag: ") { echo $_} } | % { $_ -replace "^.+tag: ([^ ]+)[,\)].+$", "`$1" }
- -一个