LibGit2Sharp gets all commits starting with {Hash}

Is it possible to get all commits from a given commit using LibGit2Sharp?

Ive tried the following .. but this did not work:

using ( var repo = new Repository( repositoryDirectory ) )
{
    //Create commit filter.
    var filter = new CommitFilter
    {
        SortBy = CommitSortStrategies.Topological | CommitSortStrategies.Reverse,
        Since = repo.Refs
    };

    /*Not Working
    if (shaHashOfCommit.IsNotEmpty())
        filter.Since = shaHashOfCommit;
    */

    var commits = repo.Commits.QueryBy( filter );
}
+4
source share
1 answer

The code below should meet your expectations.

using (var repo = new Repository(repositoryDirectory))
{
    var c = repo.Lookup<Commit>(shaHashOfCommit);

    // Let only consider the refs that lead to this commit...
    var refs = repo.Refs.ReachableFrom(new []{c});

   //...and create a filter that will retrieve all the commits...
    var cf = new CommitFilter
    {
        Since = refs,       // ...reachable from all those refs...
        Until = c           // ...until this commit is met
    };

    var cs = repo.Commits.QueryBy(cf);

    foreach (var co in cs)
    {
        Console.WriteLine("{0}: {1}", co.Id.ToString(7), co.MessageShort);
    }       
}
+5
source

All Articles