1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52
|
package git
import (
"strings"
"github.com/go-git/go-git/v5/plumbing"
"github.com/go-git/go-git/v5/plumbing/storer"
)
// RemoteBranch is the wrapper of go-git's Reference struct. In addition to
// that, it also holds name of the remote branch
type RemoteBranch struct {
Name string
Reference *plumbing.Reference
}
// search for the remote branches of the remote. It takes the go-git's repo
// pointer in order to get storer struct
func (rm *Remote) loadRemoteBranches(r *Repository) error {
rm.Branches = make([]*RemoteBranch, 0)
bs, err := remoteBranchesIter(r.Repo.Storer)
if err != nil {
return err
}
defer bs.Close()
err = bs.ForEach(func(b *plumbing.Reference) error {
if strings.Split(b.Name().Short(), "/")[0] == rm.Name {
rm.Branches = append(rm.Branches, &RemoteBranch{
Name: b.Name().Short(),
Reference: b,
})
}
return nil
})
return err
}
// create an iterator for the references. it checks if the reference is a hash
// reference
func remoteBranchesIter(s storer.ReferenceStorer) (storer.ReferenceIter, error) {
refs, err := s.IterReferences()
if err != nil {
return nil, err
}
return storer.NewReferenceFilteredIter(func(ref *plumbing.Reference) bool {
if ref.Type() == plumbing.HashReference {
return ref.Name().IsRemote()
}
return false
}, refs), nil
}
|