弄清楚了。关键是 git blame 可以指定日期范围(参见https://git-scm.com/docs/git-blame,“指定范围”部分)。假设 123456 是我要比较的提交。和
git blame 123456..
“自范围边界 [...] 以来未更改的行被归咎于该范围边界提交”,也就是说,它将显示自该提交以来未更改的所有内容为“^123456”。因此,每个文件,我的问题的答案是
git blame 123456.. $file | grep -P "^\^123456" | wc -l # unchanged since
git blame 123456.. $file | grep -Pv "^\^123456" | wc -l # new since
包装到 bash 脚本中以检查 repo (git ls-files) 中的所有文件并打印漂亮:
#!/bin/bash
total_lines=0;
total_lines_unchanged=0;
total_lines_new=0;
echo "--- total unchanged new filename ---"
for file in `git ls-files | \
<can do some filtering of files here with grep>`
do
# calculate stats for this file
lines=`cat $file | wc -l`
lines_unchanged=`git blame 123456.. $file | grep -P "^\^123456" | wc -l`
lines_new=`git blame 123456.. $file | grep -Pv "^\^123456" | wc -l`
# print pretty
lines_pretty="$(printf "%6d" $lines)"
lines_unchanged_pretty="$(printf "%6d" $lines_unchanged)"
lines_new_pretty="$(printf "%6d" $lines_new)"
echo "$lines_pretty $lines_unchanged_pretty $lines_new_pretty $file"
# add to total
total_lines=$(($total_lines + $lines))
total_lines_unchanged=$(($total_lines_unchanged + $lines_unchanged))
total_lines_new=$(($total_lines_new + $lines_new))
done
# print total
echo "--- total unchanged new ---"
lines_pretty="$(printf "%6d" $total_lines)"
lines_unchanged_pretty="$(printf "%6d" $total_lines_unchanged)"
lines_new_pretty="$(printf "%6d" $total_lines_new)"
echo "$lines_pretty $lines_unchanged_pretty $lines_new_pretty TOTAL"
感谢 Gregg 的回答,这让我更多地研究了 git-blame 的选项!