8

我想列出存储库中每个文件的每个贡献者。

这是我目前所做的:

find . | xargs -L 1 git blame -f | cut -d' ' -f 2-4 | sort | uniq

这是非常缓慢的。有更好的解决方案吗?

4

5 回答 5

7

以ДМИТРИЙ的回答为基础,我会说以下内容:

git ls-tree -r --name-only master ./ | while read file ; do
    echo "=== $file"
    git log --follow --pretty=format:%an -- $file | sort | uniq
done

增强功能是它在其历史记录中遵循文件的重命名,并且如果文件包含空格 ( | while read file)则行为正确

于 2012-07-31T12:59:42.950 回答
5

我会写一个分析输出的小脚本git log --stat --pretty=format:'%cN';类似于:

#!/usr/bin/env perl

my %file;
my $contributor = q();

while (<>) {
    chomp;
    if (/^\S/) {
        $contributor = $_;
    }
    elsif (/^\s*(.*?)\s*\|\s*\d+\s*[+-]+/) {
        $file{$1}{$contributor} = 1;
    }
}

for my $filename (sort keys %file) {
    print "$filename:\n";
    for my $contributor (sort keys %{$file{$filename}}) {
        print "  * $contributor\n";
    }
}

(写得很快;不包括二进制文件之类的情况。)

如果您存储此脚本,例如 as ~/git-contrib.pl,您可以使用以下命令调用它:

git log --stat=1000,1000 --pretty=format:'%cN' | perl ~/git-contrib.pl

优点:git只调用一次,这意味着它相当快。缺点:它是一个单独的脚本。

于 2012-07-31T10:58:23.230 回答
2

tldr

for file in `git ls-tree -r --name-only master ./`; do
    echo $file
    git shortlog -s -- $file | sed -e 's/^\s*[0-9]*\s*//'
done
  1. 您可以使用git ls-tree. Find真是糟糕的选择。

    例如,获取master当前目录(./)中分支中的跟踪文件列表:

    git ls-tree -r --name-only master ./
    
  2. 您可以使用get shortlog( git blameis overkill) 获取文件编辑器列表:

    git shortlog -s -- $file
    

因此,对于响应中的每个文件,ls-tree您应该根据需要调用shortlog并修改其输出。

于 2012-07-31T10:55:27.273 回答
0

git log --pretty=format:"%cn" <filename> | sort | uniq -c

您还可以使用git log, 例如:在特定日期之后对每个文件的提交者(例如:2018-10-1 之后)执行更多操作: git log --after="2018-10-1" --pretty=format:"%cn" <filename> | sort | uniq -c

参考:https ://www.atlassian.com/git/tutorials/git-log

于 2019-01-19T00:15:35.043 回答
0

--stat如果您不需要统计信息,请不要使用,为什么要求它重新运行所有差异,然后刮掉所有结果?只需使用--name-only.

git log --all --pretty=%x09%cN --name-only |  awk -F$'\t' '
        NF==2   { name=$2 }
        NF==1   { contribs[ $0 ][ name ] = 1 }
        END     {
                n = asorti(contribs,sorted)
                for ( i=0 ; ++i < n ; ) {
                        file = sorted[i]
                        print file
                        for ( name in contribs[file] ) print "\t"name
                }
        }
'
于 2019-01-19T15:27:21.010 回答