如何在 `git stash list` 中列出 stash 的父提交

How to list the parent commit of a stash in `git stash list`

当我在 git 中生成存储时,有一个 "parent"(我存储更改之前的最后一次提交)。

当我使用 git stash 来存储我的更改时,该父提交的 ID 会添加到描述我的存储的消息中。调用 git stash list 可以例如显示:

stash@{0}: WIP on master: c09a3fc second commit
stash@{1}: WIP on master: 063b893 first commit
stash@{2}: WIP on master: 063b893 first commit

但是当我 运行 git stash save "My own message" 没有添加父提交的 ID (git stash list):

stash@{0}: On master: My own message
stash@{1}: WIP on master: c09a3fc second commit
stash@{2}: WIP on master: 063b893 first commit
stash@{3}: WIP on master: 063b893 first commit

有没有办法将父提交的 ID 显示到存储列表?

我试过:git stash list --oneline --parents,结果是:

1b5dfb1 4efd3e0 refs/stash@{0}: On master: My own message
4efd3e0 1e9b384 refs/stash@{1}: WIP on master: c09a3fc second commit
1e9b384 51eb834 refs/stash@{2}: WIP on master: 063b893 first commit
51eb834 refs/stash@{3}: WIP on master: 063b893 first commit

但是这里显示的 ID 有误。我预计(第一行是父提交的 ID,在这个例子中对于两个提交的组是相同的):

c09a3fc 1b5dfb1 refs/stash@{0}: On master: My own message
c09a3fc 4efd3e0 refs/stash@{1}: WIP on master: c09a3fc second commit
063b893 1e9b384 refs/stash@{2}: WIP on master: 063b893 first commit
063b893 51eb834 refs/stash@{3}: WIP on master: 063b893 first commit

如果您希望在您提供的消息中包含 ID,您可以将 ID 作为消息的一部分提供。也就是说,而不是:

$ git stash save "My own message"

你可能 运行:

$ git stash save "[$(git rev-parse --short HEAD)] My own message"

(您可以将其变成别名——shell 别名,或调用 shell 的 git 别名)。

如果要使用实际存储在树中的父 ID,则必须深入研究 git stash 的实现。有关详细信息,请参阅 this answer,但简而言之,工作树提交 w 的第一个父级(refs/stash 或 reflog 条目指向此 w 提交) 是在进行存储时 HEAD 的提交。

git stash list 子命令只是将附加参数直接传递给 git log,因此 --oneline --parents 执行与 git log 相同的操作——除了 git stash list是这样的吗:

git log --format="%gd: %gs" -g --first-parent -m "$@" $ref_stash --

(其中 "$@" 是您的附加参数)。不幸的是,--parents使用历史简化和父重写(参见the documentation for git rev-list),与-g一起变成"replace parentage with result of reflog walk",完全破坏了原始的父辈信息。

(顺便说一下,我在这里看到的显式 --first-parent 的唯一原因是让 --parents 隐藏索引和可选的额外提交。因为 --parents 无论如何都会被reflog walk,这似乎毫无意义。不确定 git 人是否打算 reflog walks 不破坏父信息,如果它没有破坏,你就会看到你想要的东西。所以这可能是一个 git 错误,尽管这里有很多猜测意图。)

您可以(某种程度上)通过返回原始提交 ID(w 提交)并使用 git rev-parse 找到每个 w 提交:

git log -g --format="%gd %H" refs/stash |
while read name hash; do
    printf "%s %s " $name $(git rev-parse --short $name^)
    git log -1 --format=%s $hash
done

(可能有一些方法可以缩短它,但上面的内容非常简单)。