| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514 | package mainimport (	"bytes"	"fmt"	"io"	"io/ioutil"	"log"	"net/http"	_ "net/http/pprof"	"os"	"path/filepath"	"plugin"	"regexp"	"runtime/pprof"	"strings"	"text/template"	"unicode"	"github.com/Masterminds/sprig"	"github.com/gogo/protobuf/proto"	"github.com/mitchellh/go-homedir"	"github.com/spf13/cobra"	"github.com/spf13/pflag"	"golang.org/x/crypto/ssh/terminal"	progress "gopkg.in/cheggaaa/pb.v1"	"gopkg.in/src-d/go-billy-siva.v4"	"gopkg.in/src-d/go-billy.v4/memfs"	"gopkg.in/src-d/go-billy.v4/osfs"	"gopkg.in/src-d/go-git.v4"	"gopkg.in/src-d/go-git.v4/plumbing/cache"	"gopkg.in/src-d/go-git.v4/plumbing/object"	"gopkg.in/src-d/go-git.v4/plumbing/transport/ssh"	"gopkg.in/src-d/go-git.v4/storage"	"gopkg.in/src-d/go-git.v4/storage/filesystem"	"gopkg.in/src-d/go-git.v4/storage/memory"	"gopkg.in/src-d/hercules.v7"	"gopkg.in/src-d/hercules.v7/internal/pb")// oneLineWriter splits the output data by lines and outputs one on top of another using '\r'.// It also does some dark magic to handle Git statuses.type oneLineWriter struct {	Writer io.Writer}func (writer oneLineWriter) Write(p []byte) (n int, err error) {	if p[len(p)-1] == '\n' {		p = p[:len(p)-1]		if len(p) > 5 && bytes.Compare(p[len(p)-5:], []byte("done.")) == 0 {			p = []byte("cloning...")		}		p = append(p, '\r')		writer.Writer.Write([]byte("\r" + strings.Repeat(" ", 80) + "\r"))	}	n, err = writer.Writer.Write(p)	return}func loadSSHIdentity(sshIdentity string) (*ssh.PublicKeys, error) {	actual, err := homedir.Expand(sshIdentity)	if err != nil {		return nil, err	}	return ssh.NewPublicKeysFromFile("git", actual, "")}func loadRepository(uri string, cachePath string, disableStatus bool, sshIdentity string) *git.Repository {	var repository *git.Repository	var backend storage.Storer	var err error	if strings.Contains(uri, "://") || regexp.MustCompile("^[A-Za-z]\\w*@[A-Za-z0-9][\\w.]*:").MatchString(uri) {		if cachePath != "" {			backend = filesystem.NewStorage(osfs.New(cachePath), cache.NewObjectLRUDefault())			_, err = os.Stat(cachePath)			if !os.IsNotExist(err) {				log.Printf("warning: deleted %s\n", cachePath)				os.RemoveAll(cachePath)			}		} else {			backend = memory.NewStorage()		}		cloneOptions := &git.CloneOptions{URL: uri}		if !disableStatus {			fmt.Fprint(os.Stderr, "connecting...\r")			cloneOptions.Progress = oneLineWriter{Writer: os.Stderr}		}		if sshIdentity != "" {			auth, err := loadSSHIdentity(sshIdentity)			if err != nil {				log.Printf("Failed loading SSH Identity %s\n", err)			}			cloneOptions.Auth = auth		}		repository, err = git.Clone(backend, nil, cloneOptions)		if !disableStatus {			fmt.Fprint(os.Stderr, strings.Repeat(" ", 80)+"\r")		}	} else if stat, err2 := os.Stat(uri); err2 == nil && !stat.IsDir() {		localFs := osfs.New(filepath.Dir(uri))		tmpFs := memfs.New()		basePath := filepath.Base(uri)		fs, err2 := sivafs.NewFilesystem(localFs, basePath, tmpFs)		if err2 != nil {			log.Panicf("unable to create a siva filesystem from %s: %v", uri, err2)		}		sivaStorage := filesystem.NewStorage(fs, cache.NewObjectLRUDefault())		repository, err = git.Open(sivaStorage, tmpFs)	} else {		if uri[len(uri)-1] == os.PathSeparator {			uri = uri[:len(uri)-1]		}		repository, err = git.PlainOpen(uri)	}	if err != nil {		log.Panicf("failed to open %s: %v", uri, err)	}	return repository}type arrayPluginFlags map[string]boolfunc (apf *arrayPluginFlags) String() string {	var list []string	for key := range *apf {		list = append(list, key)	}	return strings.Join(list, ", ")}func (apf *arrayPluginFlags) Set(value string) error {	(*apf)[value] = true	return nil}func (apf *arrayPluginFlags) Type() string {	return "path"}func loadPlugins() {	pluginFlags := arrayPluginFlags{}	fs := pflag.NewFlagSet(os.Args[0], pflag.ContinueOnError)	fs.SetOutput(ioutil.Discard)	pluginFlagName := "plugin"	const pluginDesc = "Load the specified plugin by the full or relative path. " +		"Can be specified multiple times."	fs.Var(&pluginFlags, pluginFlagName, pluginDesc)	err := cobra.MarkFlagFilename(fs, "plugin")	if err != nil {		panic(err)	}	pflag.Var(&pluginFlags, pluginFlagName, pluginDesc)	fs.Parse(os.Args[1:])	for path := range pluginFlags {		_, err := plugin.Open(path)		if err != nil {			log.Printf("Failed to load plugin from %s %s\n", path, err)		}	}}// rootCmd represents the base command when called without any subcommandsvar rootCmd = &cobra.Command{	Use:   "hercules",	Short: "Analyse a Git repository.",	Long: `Hercules is a flexible and fast Git repository analysis engine. The base command executesthe commit processing pipeline which is automatically generated from the dependencies of oneor several analysis targets. The list of the available targets is printed in --help. Externaltargets can be added using the --plugin system.`,	Args: cobra.RangeArgs(1, 2),	Run: func(cmd *cobra.Command, args []string) {		flags := cmd.Flags()		getBool := func(name string) bool {			value, err := flags.GetBool(name)			if err != nil {				panic(err)			}			return value		}		getString := func(name string) string {			value, err := flags.GetString(name)			if err != nil {				panic(err)			}			return value		}		firstParent := getBool("first-parent")		commitsFile := getString("commits")		protobuf := getBool("pb")		profile := getBool("profile")		disableStatus := getBool("quiet")		sshIdentity := getString("ssh-identity")		if profile {			go func() {				err := http.ListenAndServe("localhost:6060", nil)				if err != nil {					panic(err)				}			}()			prof, _ := os.Create("hercules.pprof")			err := pprof.StartCPUProfile(prof)			if err != nil {				panic(err)			}			defer pprof.StopCPUProfile()		}		uri := args[0]		cachePath := ""		if len(args) == 2 {			cachePath = args[1]		}		repository := loadRepository(uri, cachePath, disableStatus, sshIdentity)		// core logic		pipeline := hercules.NewPipeline(repository)		pipeline.SetFeaturesFromFlags()		var bar *progress.ProgressBar		if !disableStatus {			pipeline.OnProgress = func(commit, length int) {				if bar == nil {					bar = progress.New(length)					bar.Callback = func(msg string) {						os.Stderr.WriteString("\r" + msg)					}					bar.NotPrint = true					bar.ShowPercent = false					bar.ShowSpeed = false					bar.SetMaxWidth(80)					bar.Start()				}				if commit == length-1 {					bar.Finish()					fmt.Fprint(os.Stderr, "\r"+strings.Repeat(" ", 80)+"\rfinalizing...")				} else {					bar.Set(commit)				}			}		}		var commits []*object.Commit		var err error		if commitsFile == "" {			fmt.Fprint(os.Stderr, "git log...\r")			commits, err = pipeline.Commits(firstParent)		} else {			commits, err = hercules.LoadCommitsFromFile(commitsFile, repository)		}		if err != nil {			log.Fatalf("failed to list the commits: %v", err)		}		cmdlineFacts[hercules.ConfigPipelineCommits] = commits		dryRun, _ := cmdlineFacts[hercules.ConfigPipelineDryRun].(bool)		var deployed []hercules.LeafPipelineItem		for name, valPtr := range cmdlineDeployed {			if *valPtr {				item := pipeline.DeployItem(hercules.Registry.Summon(name)[0])				if !dryRun {					deployed = append(deployed, item.(hercules.LeafPipelineItem))				}			}		}		err = pipeline.Initialize(cmdlineFacts)		if err != nil {			log.Fatal(err)		}		results, err := pipeline.Run(commits)		if err != nil {			log.Fatalf("failed to run the pipeline: %v", err)		}		if !disableStatus {			fmt.Fprint(os.Stderr, "\r"+strings.Repeat(" ", 80)+"\r")			// if not a terminal, the user will not see the output, so show the status			if !terminal.IsTerminal(int(os.Stdout.Fd())) {				fmt.Fprint(os.Stderr, "writing...\r")			}		}		if !protobuf {			printResults(uri, deployed, results)		} else {			protobufResults(uri, deployed, results)		}	},}func printResults(	uri string, deployed []hercules.LeafPipelineItem,	results map[hercules.LeafPipelineItem]interface{}) {	commonResult := results[nil].(*hercules.CommonAnalysisResult)	fmt.Println("hercules:")	fmt.Printf("  version: %d\n", hercules.BinaryVersion)	fmt.Println("  hash:", hercules.BinaryGitHash)	fmt.Println("  repository:", uri)	fmt.Println("  begin_unix_time:", commonResult.BeginTime)	fmt.Println("  end_unix_time:", commonResult.EndTime)	fmt.Println("  commits:", commonResult.CommitsNumber)	fmt.Println("  run_time:", commonResult.RunTime.Nanoseconds()/1e6)	for _, item := range deployed {		result := results[item]		fmt.Printf("%s:\n", item.Name())		if err := item.Serialize(result, false, os.Stdout); err != nil {			panic(err)		}	}}func protobufResults(	uri string, deployed []hercules.LeafPipelineItem,	results map[hercules.LeafPipelineItem]interface{}) {	header := pb.Metadata{		Version:    2,		Hash:       hercules.BinaryGitHash,		Repository: uri,	}	results[nil].(*hercules.CommonAnalysisResult).FillMetadata(&header)	message := pb.AnalysisResults{		Header:   &header,		Contents: map[string][]byte{},	}	for _, item := range deployed {		result := results[item]		buffer := &bytes.Buffer{}		if err := item.Serialize(result, true, buffer); err != nil {			panic(err)		}		message.Contents[item.Name()] = buffer.Bytes()	}	serialized, err := proto.Marshal(&message)	if err != nil {		panic(err)	}	os.Stdout.Write(serialized)}// trimRightSpace removes the trailing whitespace characters.func trimRightSpace(s string) string {	return strings.TrimRightFunc(s, unicode.IsSpace)}// rpad adds padding to the right of a string.func rpad(s string, padding int) string {	return fmt.Sprintf(fmt.Sprintf("%%-%ds", padding), s)}// tmpl was adapted from cobra/cobra.gofunc tmpl(w io.Writer, text string, data interface{}) error {	var templateFuncs = template.FuncMap{		"trim":                    strings.TrimSpace,		"trimRightSpace":          trimRightSpace,		"trimTrailingWhitespaces": trimRightSpace,		"rpad":                    rpad,		"gt":                      cobra.Gt,		"eq":                      cobra.Eq,	}	for k, v := range sprig.TxtFuncMap() {		templateFuncs[k] = v	}	t := template.New("top")	t.Funcs(templateFuncs)	template.Must(t.Parse(text))	return t.Execute(w, data)}func formatUsage(c *cobra.Command) error {	// the default UsageFunc() does some private magic c.mergePersistentFlags()	// this should stay on top	localFlags := c.LocalFlags()	leaves := hercules.Registry.GetLeaves()	plumbing := hercules.Registry.GetPlumbingItems()	features := hercules.Registry.GetFeaturedItems()	hercules.EnablePathFlagTypeMasquerade()	filter := map[string]bool{}	for _, l := range leaves {		filter[l.Flag()] = true		for _, cfg := range l.ListConfigurationOptions() {			filter[cfg.Flag] = true		}	}	for _, i := range plumbing {		for _, cfg := range i.ListConfigurationOptions() {			filter[cfg.Flag] = true		}	}	for key := range filter {		localFlags.Lookup(key).Hidden = true	}	args := map[string]interface{}{		"c":        c,		"leaves":   leaves,		"plumbing": plumbing,		"features": features,	}	helpTemplate := `Usage:{{if .c.Runnable}}  {{.c.UseLine}}{{end}}{{if .c.HasAvailableSubCommands}}  {{.c.CommandPath}} [command]{{end}}{{if gt (len .c.Aliases) 0}}Aliases:  {{.c.NameAndAliases}}{{end}}{{if .c.HasExample}}Examples:{{.c.Example}}{{end}}{{if .c.HasAvailableSubCommands}}Available Commands:{{range .c.Commands}}{{if (or .IsAvailableCommand (eq .Name "help"))}}  {{rpad .Name .NamePadding }} {{.Short}}{{end}}{{end}}{{end}}{{if .c.HasAvailableLocalFlags}}Flags:{{range $line := .c.LocalFlags.FlagUsages | trimTrailingWhitespaces | split "\n"}}{{- $desc := splitList "   " $line | last}}{{- $offset := sub ($desc | len) ($desc | trim | len)}}{{- $indent := splitList "   " $line | initial | join "   " | len | add 3 | add $offset | int}}{{- $wrap := sub 120 $indent | int}}{{- splitList "   " $line | initial | join "   "}}   {{cat "!" $desc | wrap $wrap | indent $indent | substr $indent -1 | substr 2 -1}}{{end}}{{end}}Analysis Targets:{{range .leaves}}      --{{rpad .Flag 40}}Runs {{.Name}} analysis.{{wrap 72 .Description | nindent 48}}{{range .ListConfigurationOptions}}          --{{if .Type.String}}{{rpad (print .Flag " " .Type.String) 40}}{{else}}{{rpad .Flag 40}}{{end}}          {{- $desc := dict "desc" .Description}}          {{- if .Default}}{{$_ := set $desc "desc" (print .Description " The default value is " .FormatDefault ".")}}          {{- end}}          {{- $desc := pluck "desc" $desc | first}}          {{- $desc | wrap 68 | indent 52 | substr 52 -1}}{{end}}{{end}}Plumbing Options:{{range .plumbing}}{{$name := .Name}}{{range .ListConfigurationOptions}}      --{{if .Type.String}}{{rpad (print .Flag " " .Type.String " [" $name "]") 40}}{{else}}{{rpad (print .Flag " [" $name "]") 40}}        {{- end}}        {{- $desc := dict "desc" .Description}}        {{- if .Default}}{{$_ := set $desc "desc" (print .Description " The default value is " .FormatDefault ".")}}        {{- end}}        {{- $desc := pluck "desc" $desc | first}}{{$desc | wrap 72 | indent 48 | substr 48 -1}}{{end}}{{end}}--feature:{{range $key, $value := .features}}      {{rpad $key 42}}Enables {{range $index, $item := $value}}{{if $index}}, {{end}}{{$item.Name}}{{end}}.{{end}}{{if .c.HasAvailableInheritedFlags}}Global Flags:{{.c.InheritedFlags.FlagUsages | trimTrailingWhitespaces}}{{end}}{{if .c.HasHelpSubCommands}}Additional help topics:{{range .c.Commands}}{{if .IsAdditionalHelpTopicCommand}}  {{rpad .CommandPath .CommandPathPadding}} {{.Short}}{{end}}{{end}}{{end}}{{if .c.HasAvailableSubCommands}}Use "{{.c.CommandPath}} [command] --help" for more information about a command.{{end}}`	err := tmpl(c.OutOrStderr(), helpTemplate, args)	for key := range filter {		localFlags.Lookup(key).Hidden = false	}	if err != nil {		c.Println(err)	}	return err}// versionCmd prints the API version and the Git commit hashvar versionCmd = &cobra.Command{	Use:   "version",	Short: "Print version information and exit.",	Long:  ``,	Args:  cobra.MaximumNArgs(0),	Run: func(cmd *cobra.Command, args []string) {		fmt.Printf("Version: %d\nGit:     %s\n", hercules.BinaryVersion, hercules.BinaryGitHash)	},}var cmdlineFacts map[string]interface{}var cmdlineDeployed map[string]*boolfunc init() {	loadPlugins()	rootFlags := rootCmd.Flags()	rootFlags.String("commits", "", "Path to the text file with the "+		"commit history to follow instead of the default 'git log'. "+		"The format is the list of hashes, each hash on a "+		"separate line. The first hash is the root.")	err := rootCmd.MarkFlagFilename("commits")	if err != nil {		panic(err)	}	hercules.PathifyFlagValue(rootFlags.Lookup("commits"))	rootFlags.Bool("first-parent", false, "Follow only the first parent in the commit history - "+		"\"git log --first-parent\".")	rootFlags.Bool("pb", false, "The output format will be Protocol Buffers instead of YAML.")	rootFlags.Bool("quiet", !terminal.IsTerminal(int(os.Stdin.Fd())),		"Do not print status updates to stderr.")	rootFlags.Bool("profile", false, "Collect the profile to hercules.pprof.")	rootFlags.String("ssh-identity", "", "Path to SSH identity file (e.g., ~/.ssh/id_rsa) to clone from an SSH remote.")	err = rootCmd.MarkFlagFilename("ssh-identity")	if err != nil {		panic(err)	}	hercules.PathifyFlagValue(rootFlags.Lookup("ssh-identity"))	cmdlineFacts, cmdlineDeployed = hercules.Registry.AddFlags(rootFlags)	rootCmd.SetUsageFunc(formatUsage)	rootCmd.AddCommand(versionCmd)	versionCmd.SetUsageFunc(versionCmd.UsageFunc())}func main() {	if err := rootCmd.Execute(); err != nil {		fmt.Fprintln(os.Stderr, err)		os.Exit(1)	}}
 |