mirror of
				https://github.com/go-gitea/gitea
				synced 2025-10-26 00:48:29 +00:00 
			
		
		
		
	Remove context from git struct (#33793)
Argument is moved from struct init in command run, which lets us remove context from struct.
This commit is contained in:
		| @@ -29,8 +29,8 @@ type WriteCloserError interface { | ||||
| // This is needed otherwise the git cat-file will hang for invalid repositories. | ||||
| func ensureValidGitRepository(ctx context.Context, repoPath string) error { | ||||
| 	stderr := strings.Builder{} | ||||
| 	err := NewCommand(ctx, "rev-parse"). | ||||
| 		Run(&RunOpts{ | ||||
| 	err := NewCommand("rev-parse"). | ||||
| 		Run(ctx, &RunOpts{ | ||||
| 			Dir:    repoPath, | ||||
| 			Stderr: &stderr, | ||||
| 		}) | ||||
| @@ -61,8 +61,8 @@ func catFileBatchCheck(ctx context.Context, repoPath string) (WriteCloserError, | ||||
|  | ||||
| 	go func() { | ||||
| 		stderr := strings.Builder{} | ||||
| 		err := NewCommand(ctx, "cat-file", "--batch-check"). | ||||
| 			Run(&RunOpts{ | ||||
| 		err := NewCommand("cat-file", "--batch-check"). | ||||
| 			Run(ctx, &RunOpts{ | ||||
| 				Dir:    repoPath, | ||||
| 				Stdin:  batchStdinReader, | ||||
| 				Stdout: batchStdoutWriter, | ||||
| @@ -109,8 +109,8 @@ func catFileBatch(ctx context.Context, repoPath string) (WriteCloserError, *bufi | ||||
|  | ||||
| 	go func() { | ||||
| 		stderr := strings.Builder{} | ||||
| 		err := NewCommand(ctx, "cat-file", "--batch"). | ||||
| 			Run(&RunOpts{ | ||||
| 		err := NewCommand("cat-file", "--batch"). | ||||
| 			Run(ctx, &RunOpts{ | ||||
| 				Dir:    repoPath, | ||||
| 				Stdin:  batchStdinReader, | ||||
| 				Stdout: batchStdoutWriter, | ||||
|   | ||||
| @@ -135,7 +135,7 @@ func CreateBlameReader(ctx context.Context, objectFormat ObjectFormat, repoPath | ||||
| 		ignoreRevsFile = tryCreateBlameIgnoreRevsFile(commit) | ||||
| 	} | ||||
|  | ||||
| 	cmd := NewCommandContextNoGlobals(ctx, "blame", "--porcelain") | ||||
| 	cmd := NewCommandNoGlobals("blame", "--porcelain") | ||||
| 	if ignoreRevsFile != nil { | ||||
| 		// Possible improvement: use --ignore-revs-file /dev/stdin on unix | ||||
| 		// There is no equivalent on Windows. May be implemented if Gitea uses an external git backend. | ||||
| @@ -155,7 +155,7 @@ func CreateBlameReader(ctx context.Context, objectFormat ObjectFormat, repoPath | ||||
| 	go func() { | ||||
| 		stderr := bytes.Buffer{} | ||||
| 		// TODO: it doesn't work for directories (the directories shouldn't be "blamed"), and the "err" should be returned by "Read" but not by "Close" | ||||
| 		err := cmd.Run(&RunOpts{ | ||||
| 		err := cmd.Run(ctx, &RunOpts{ | ||||
| 			UseContextTimeout: true, | ||||
| 			Dir:               repoPath, | ||||
| 			Stdout:            stdout, | ||||
|   | ||||
| @@ -44,7 +44,6 @@ const DefaultLocale = "C" | ||||
| type Command struct { | ||||
| 	prog             string | ||||
| 	args             []string | ||||
| 	parentContext    context.Context | ||||
| 	globalArgsLength int | ||||
| 	brokenArgs       []string | ||||
| } | ||||
| @@ -82,7 +81,7 @@ func (c *Command) LogString() string { | ||||
|  | ||||
| // NewCommand creates and returns a new Git Command based on given command and arguments. | ||||
| // Each argument should be safe to be trusted. User-provided arguments should be passed to AddDynamicArguments instead. | ||||
| func NewCommand(ctx context.Context, args ...internal.CmdArg) *Command { | ||||
| func NewCommand(args ...internal.CmdArg) *Command { | ||||
| 	// Make an explicit copy of globalCommandArgs, otherwise append might overwrite it | ||||
| 	cargs := make([]string, 0, len(globalCommandArgs)+len(args)) | ||||
| 	for _, arg := range globalCommandArgs { | ||||
| @@ -94,31 +93,23 @@ func NewCommand(ctx context.Context, args ...internal.CmdArg) *Command { | ||||
| 	return &Command{ | ||||
| 		prog:             GitExecutable, | ||||
| 		args:             cargs, | ||||
| 		parentContext:    ctx, | ||||
| 		globalArgsLength: len(globalCommandArgs), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // NewCommandContextNoGlobals creates and returns a new Git Command based on given command and arguments only with the specify args and don't care global command args | ||||
| // NewCommandNoGlobals creates and returns a new Git Command based on given command and arguments only with the specified args and don't use global command args | ||||
| // Each argument should be safe to be trusted. User-provided arguments should be passed to AddDynamicArguments instead. | ||||
| func NewCommandContextNoGlobals(ctx context.Context, args ...internal.CmdArg) *Command { | ||||
| func NewCommandNoGlobals(args ...internal.CmdArg) *Command { | ||||
| 	cargs := make([]string, 0, len(args)) | ||||
| 	for _, arg := range args { | ||||
| 		cargs = append(cargs, string(arg)) | ||||
| 	} | ||||
| 	return &Command{ | ||||
| 		prog:          GitExecutable, | ||||
| 		args:          cargs, | ||||
| 		parentContext: ctx, | ||||
| 		prog: GitExecutable, | ||||
| 		args: cargs, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SetParentContext sets the parent context for this command | ||||
| func (c *Command) SetParentContext(ctx context.Context) *Command { | ||||
| 	c.parentContext = ctx | ||||
| 	return c | ||||
| } | ||||
|  | ||||
| // isSafeArgumentValue checks if the argument is safe to be used as a value (not an option) | ||||
| func isSafeArgumentValue(s string) bool { | ||||
| 	return s == "" || s[0] != '-' | ||||
| @@ -277,11 +268,11 @@ func CommonCmdServEnvs() []string { | ||||
| var ErrBrokenCommand = errors.New("git command is broken") | ||||
|  | ||||
| // Run runs the command with the RunOpts | ||||
| func (c *Command) Run(opts *RunOpts) error { | ||||
| 	return c.run(1, opts) | ||||
| func (c *Command) Run(ctx context.Context, opts *RunOpts) error { | ||||
| 	return c.run(ctx, 1, opts) | ||||
| } | ||||
|  | ||||
| func (c *Command) run(skip int, opts *RunOpts) error { | ||||
| func (c *Command) run(ctx context.Context, skip int, opts *RunOpts) error { | ||||
| 	if len(c.brokenArgs) != 0 { | ||||
| 		log.Error("git command is broken: %s, broken args: %s", c.LogString(), strings.Join(c.brokenArgs, " ")) | ||||
| 		return ErrBrokenCommand | ||||
| @@ -305,19 +296,18 @@ func (c *Command) run(skip int, opts *RunOpts) error { | ||||
| 	desc := fmt.Sprintf("git.Run(by:%s, repo:%s): %s", callerInfo, logArgSanitize(opts.Dir), cmdLogString) | ||||
| 	log.Debug("git.Command: %s", desc) | ||||
|  | ||||
| 	_, span := gtprof.GetTracer().Start(c.parentContext, gtprof.TraceSpanGitRun) | ||||
| 	_, span := gtprof.GetTracer().Start(ctx, gtprof.TraceSpanGitRun) | ||||
| 	defer span.End() | ||||
| 	span.SetAttributeString(gtprof.TraceAttrFuncCaller, callerInfo) | ||||
| 	span.SetAttributeString(gtprof.TraceAttrGitCommand, cmdLogString) | ||||
|  | ||||
| 	var ctx context.Context | ||||
| 	var cancel context.CancelFunc | ||||
| 	var finished context.CancelFunc | ||||
|  | ||||
| 	if opts.UseContextTimeout { | ||||
| 		ctx, cancel, finished = process.GetManager().AddContext(c.parentContext, desc) | ||||
| 		ctx, cancel, finished = process.GetManager().AddContext(ctx, desc) | ||||
| 	} else { | ||||
| 		ctx, cancel, finished = process.GetManager().AddContextTimeout(c.parentContext, timeout, desc) | ||||
| 		ctx, cancel, finished = process.GetManager().AddContextTimeout(ctx, timeout, desc) | ||||
| 	} | ||||
| 	defer finished() | ||||
|  | ||||
| @@ -410,8 +400,8 @@ func IsErrorExitCode(err error, code int) bool { | ||||
| } | ||||
|  | ||||
| // RunStdString runs the command with options and returns stdout/stderr as string. and store stderr to returned error (err combined with stderr). | ||||
| func (c *Command) RunStdString(opts *RunOpts) (stdout, stderr string, runErr RunStdError) { | ||||
| 	stdoutBytes, stderrBytes, err := c.runStdBytes(opts) | ||||
| func (c *Command) RunStdString(ctx context.Context, opts *RunOpts) (stdout, stderr string, runErr RunStdError) { | ||||
| 	stdoutBytes, stderrBytes, err := c.runStdBytes(ctx, opts) | ||||
| 	stdout = util.UnsafeBytesToString(stdoutBytes) | ||||
| 	stderr = util.UnsafeBytesToString(stderrBytes) | ||||
| 	if err != nil { | ||||
| @@ -422,11 +412,11 @@ func (c *Command) RunStdString(opts *RunOpts) (stdout, stderr string, runErr Run | ||||
| } | ||||
|  | ||||
| // RunStdBytes runs the command with options and returns stdout/stderr as bytes. and store stderr to returned error (err combined with stderr). | ||||
| func (c *Command) RunStdBytes(opts *RunOpts) (stdout, stderr []byte, runErr RunStdError) { | ||||
| 	return c.runStdBytes(opts) | ||||
| func (c *Command) RunStdBytes(ctx context.Context, opts *RunOpts) (stdout, stderr []byte, runErr RunStdError) { | ||||
| 	return c.runStdBytes(ctx, opts) | ||||
| } | ||||
|  | ||||
| func (c *Command) runStdBytes(opts *RunOpts) (stdout, stderr []byte, runErr RunStdError) { | ||||
| func (c *Command) runStdBytes(ctx context.Context, opts *RunOpts) (stdout, stderr []byte, runErr RunStdError) { | ||||
| 	if opts == nil { | ||||
| 		opts = &RunOpts{} | ||||
| 	} | ||||
| @@ -449,7 +439,7 @@ func (c *Command) runStdBytes(opts *RunOpts) (stdout, stderr []byte, runErr RunS | ||||
| 		PipelineFunc:      opts.PipelineFunc, | ||||
| 	} | ||||
|  | ||||
| 	err := c.run(2, newOpts) | ||||
| 	err := c.run(ctx, 2, newOpts) | ||||
| 	stderr = stderrBuf.Bytes() | ||||
| 	if err != nil { | ||||
| 		return nil, stderr, &runStdError{err: err, stderr: util.UnsafeBytesToString(stderr)} | ||||
|   | ||||
| @@ -15,9 +15,9 @@ func TestRunWithContextNoTimeout(t *testing.T) { | ||||
| 	maxLoops := 10 | ||||
|  | ||||
| 	// 'git --version' does not block so it must be finished before the timeout triggered. | ||||
| 	cmd := NewCommand(t.Context(), "--version") | ||||
| 	cmd := NewCommand("--version") | ||||
| 	for i := 0; i < maxLoops; i++ { | ||||
| 		if err := cmd.Run(&RunOpts{}); err != nil { | ||||
| 		if err := cmd.Run(t.Context(), &RunOpts{}); err != nil { | ||||
| 			t.Fatal(err) | ||||
| 		} | ||||
| 	} | ||||
| @@ -27,9 +27,9 @@ func TestRunWithContextTimeout(t *testing.T) { | ||||
| 	maxLoops := 10 | ||||
|  | ||||
| 	// 'git hash-object --stdin' blocks on stdin so we can have the timeout triggered. | ||||
| 	cmd := NewCommand(t.Context(), "hash-object", "--stdin") | ||||
| 	cmd := NewCommand("hash-object", "--stdin") | ||||
| 	for i := 0; i < maxLoops; i++ { | ||||
| 		if err := cmd.Run(&RunOpts{Timeout: 1 * time.Millisecond}); err != nil { | ||||
| 		if err := cmd.Run(t.Context(), &RunOpts{Timeout: 1 * time.Millisecond}); err != nil { | ||||
| 			if err != context.DeadlineExceeded { | ||||
| 				t.Fatalf("Testing %d/%d: %v", i, maxLoops, err) | ||||
| 			} | ||||
|   | ||||
| @@ -10,14 +10,14 @@ import ( | ||||
| ) | ||||
|  | ||||
| func TestRunWithContextStd(t *testing.T) { | ||||
| 	cmd := NewCommand(t.Context(), "--version") | ||||
| 	stdout, stderr, err := cmd.RunStdString(&RunOpts{}) | ||||
| 	cmd := NewCommand("--version") | ||||
| 	stdout, stderr, err := cmd.RunStdString(t.Context(), &RunOpts{}) | ||||
| 	assert.NoError(t, err) | ||||
| 	assert.Empty(t, stderr) | ||||
| 	assert.Contains(t, stdout, "git version") | ||||
|  | ||||
| 	cmd = NewCommand(t.Context(), "--no-such-arg") | ||||
| 	stdout, stderr, err = cmd.RunStdString(&RunOpts{}) | ||||
| 	cmd = NewCommand("--no-such-arg") | ||||
| 	stdout, stderr, err = cmd.RunStdString(t.Context(), &RunOpts{}) | ||||
| 	if assert.Error(t, err) { | ||||
| 		assert.Equal(t, stderr, err.Stderr()) | ||||
| 		assert.Contains(t, err.Stderr(), "unknown option:") | ||||
| @@ -25,17 +25,17 @@ func TestRunWithContextStd(t *testing.T) { | ||||
| 		assert.Empty(t, stdout) | ||||
| 	} | ||||
|  | ||||
| 	cmd = NewCommand(t.Context()) | ||||
| 	cmd = NewCommand() | ||||
| 	cmd.AddDynamicArguments("-test") | ||||
| 	assert.ErrorIs(t, cmd.Run(&RunOpts{}), ErrBrokenCommand) | ||||
| 	assert.ErrorIs(t, cmd.Run(t.Context(), &RunOpts{}), ErrBrokenCommand) | ||||
|  | ||||
| 	cmd = NewCommand(t.Context()) | ||||
| 	cmd = NewCommand() | ||||
| 	cmd.AddDynamicArguments("--test") | ||||
| 	assert.ErrorIs(t, cmd.Run(&RunOpts{}), ErrBrokenCommand) | ||||
| 	assert.ErrorIs(t, cmd.Run(t.Context(), &RunOpts{}), ErrBrokenCommand) | ||||
|  | ||||
| 	subCmd := "version" | ||||
| 	cmd = NewCommand(t.Context()).AddDynamicArguments(subCmd) // for test purpose only, the sub-command should never be dynamic for production | ||||
| 	stdout, stderr, err = cmd.RunStdString(&RunOpts{}) | ||||
| 	cmd = NewCommand().AddDynamicArguments(subCmd) // for test purpose only, the sub-command should never be dynamic for production | ||||
| 	stdout, stderr, err = cmd.RunStdString(t.Context(), &RunOpts{}) | ||||
| 	assert.NoError(t, err) | ||||
| 	assert.Empty(t, stderr) | ||||
| 	assert.Contains(t, stdout, "git version") | ||||
| @@ -53,9 +53,9 @@ func TestGitArgument(t *testing.T) { | ||||
| } | ||||
|  | ||||
| func TestCommandString(t *testing.T) { | ||||
| 	cmd := NewCommandContextNoGlobals(t.Context(), "a", "-m msg", "it's a test", `say "hello"`) | ||||
| 	cmd := NewCommandNoGlobals("a", "-m msg", "it's a test", `say "hello"`) | ||||
| 	assert.EqualValues(t, cmd.prog+` a "-m msg" "it's a test" "say \"hello\""`, cmd.LogString()) | ||||
|  | ||||
| 	cmd = NewCommandContextNoGlobals(t.Context(), "url: https://a:b@c/", "/root/dir-a/dir-b") | ||||
| 	cmd = NewCommandNoGlobals("url: https://a:b@c/", "/root/dir-a/dir-b") | ||||
| 	assert.EqualValues(t, cmd.prog+` "url: https://sanitized-credential@c/" .../dir-a/dir-b`, cmd.LogString()) | ||||
| } | ||||
|   | ||||
| @@ -91,12 +91,12 @@ func AddChanges(repoPath string, all bool, files ...string) error { | ||||
|  | ||||
| // AddChangesWithArgs marks local changes to be ready for commit. | ||||
| func AddChangesWithArgs(repoPath string, globalArgs TrustedCmdArgs, all bool, files ...string) error { | ||||
| 	cmd := NewCommandContextNoGlobals(DefaultContext, globalArgs...).AddArguments("add") | ||||
| 	cmd := NewCommandNoGlobals(globalArgs...).AddArguments("add") | ||||
| 	if all { | ||||
| 		cmd.AddArguments("--all") | ||||
| 	} | ||||
| 	cmd.AddDashesAndList(files...) | ||||
| 	_, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	_, _, err := cmd.RunStdString(DefaultContext, &RunOpts{Dir: repoPath}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| @@ -118,7 +118,7 @@ func CommitChanges(repoPath string, opts CommitChangesOptions) error { | ||||
| // CommitChangesWithArgs commits local changes with given committer, author and message. | ||||
| // If author is nil, it will be the same as committer. | ||||
| func CommitChangesWithArgs(repoPath string, args TrustedCmdArgs, opts CommitChangesOptions) error { | ||||
| 	cmd := NewCommandContextNoGlobals(DefaultContext, args...) | ||||
| 	cmd := NewCommandNoGlobals(args...) | ||||
| 	if opts.Committer != nil { | ||||
| 		cmd.AddOptionValues("-c", "user.name="+opts.Committer.Name) | ||||
| 		cmd.AddOptionValues("-c", "user.email="+opts.Committer.Email) | ||||
| @@ -133,7 +133,7 @@ func CommitChangesWithArgs(repoPath string, args TrustedCmdArgs, opts CommitChan | ||||
| 	} | ||||
| 	cmd.AddOptionFormat("--message=%s", opts.Message) | ||||
|  | ||||
| 	_, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	_, _, err := cmd.RunStdString(DefaultContext, &RunOpts{Dir: repoPath}) | ||||
| 	// No stderr but exit status 1 means nothing to commit. | ||||
| 	if err != nil && err.Error() == "exit status 1" { | ||||
| 		return nil | ||||
| @@ -143,7 +143,7 @@ func CommitChangesWithArgs(repoPath string, args TrustedCmdArgs, opts CommitChan | ||||
|  | ||||
| // AllCommitsCount returns count of all commits in repository | ||||
| func AllCommitsCount(ctx context.Context, repoPath string, hidePRRefs bool, files ...string) (int64, error) { | ||||
| 	cmd := NewCommand(ctx, "rev-list") | ||||
| 	cmd := NewCommand("rev-list") | ||||
| 	if hidePRRefs { | ||||
| 		cmd.AddArguments("--exclude=" + PullPrefix + "*") | ||||
| 	} | ||||
| @@ -152,7 +152,7 @@ func AllCommitsCount(ctx context.Context, repoPath string, hidePRRefs bool, file | ||||
| 		cmd.AddDashesAndList(files...) | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	stdout, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		return 0, err | ||||
| 	} | ||||
| @@ -170,7 +170,7 @@ type CommitsCountOptions struct { | ||||
|  | ||||
| // CommitsCount returns number of total commits of until given revision. | ||||
| func CommitsCount(ctx context.Context, opts CommitsCountOptions) (int64, error) { | ||||
| 	cmd := NewCommand(ctx, "rev-list", "--count") | ||||
| 	cmd := NewCommand("rev-list", "--count") | ||||
|  | ||||
| 	cmd.AddDynamicArguments(opts.Revision...) | ||||
|  | ||||
| @@ -182,7 +182,7 @@ func CommitsCount(ctx context.Context, opts CommitsCountOptions) (int64, error) | ||||
| 		cmd.AddDashesAndList(opts.RelPath...) | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, err := cmd.RunStdString(&RunOpts{Dir: opts.RepoPath}) | ||||
| 	stdout, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: opts.RepoPath}) | ||||
| 	if err != nil { | ||||
| 		return 0, err | ||||
| 	} | ||||
| @@ -217,7 +217,7 @@ func (c *Commit) HasPreviousCommit(objectID ObjectID) (bool, error) { | ||||
| 		return false, nil | ||||
| 	} | ||||
|  | ||||
| 	_, _, err := NewCommand(c.repo.Ctx, "merge-base", "--is-ancestor").AddDynamicArguments(that, this).RunStdString(&RunOpts{Dir: c.repo.Path}) | ||||
| 	_, _, err := NewCommand("merge-base", "--is-ancestor").AddDynamicArguments(that, this).RunStdString(c.repo.Ctx, &RunOpts{Dir: c.repo.Path}) | ||||
| 	if err == nil { | ||||
| 		return true, nil | ||||
| 	} | ||||
| @@ -358,12 +358,12 @@ func (c *Commit) GetFileContent(filename string, limit int) (string, error) { | ||||
|  | ||||
| // GetBranchName gets the closest branch name (as returned by 'git name-rev --name-only') | ||||
| func (c *Commit) GetBranchName() (string, error) { | ||||
| 	cmd := NewCommand(c.repo.Ctx, "name-rev") | ||||
| 	cmd := NewCommand("name-rev") | ||||
| 	if DefaultFeatures().CheckVersionAtLeast("2.13.0") { | ||||
| 		cmd.AddArguments("--exclude", "refs/tags/*") | ||||
| 	} | ||||
| 	cmd.AddArguments("--name-only", "--no-undefined").AddDynamicArguments(c.ID.String()) | ||||
| 	data, _, err := cmd.RunStdString(&RunOpts{Dir: c.repo.Path}) | ||||
| 	data, _, err := cmd.RunStdString(c.repo.Ctx, &RunOpts{Dir: c.repo.Path}) | ||||
| 	if err != nil { | ||||
| 		// handle special case where git can not describe commit | ||||
| 		if strings.Contains(err.Error(), "cannot describe") { | ||||
| @@ -441,7 +441,7 @@ func GetCommitFileStatus(ctx context.Context, repoPath, commitID string) (*Commi | ||||
| 	}() | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	err := NewCommand(ctx, "log", "--name-status", "-m", "--pretty=format:", "--first-parent", "--no-renames", "-z", "-1").AddDynamicArguments(commitID).Run(&RunOpts{ | ||||
| 	err := NewCommand("log", "--name-status", "-m", "--pretty=format:", "--first-parent", "--no-renames", "-z", "-1").AddDynamicArguments(commitID).Run(ctx, &RunOpts{ | ||||
| 		Dir:    repoPath, | ||||
| 		Stdout: w, | ||||
| 		Stderr: stderr, | ||||
| @@ -457,7 +457,7 @@ func GetCommitFileStatus(ctx context.Context, repoPath, commitID string) (*Commi | ||||
|  | ||||
| // GetFullCommitID returns full length (40) of commit ID by given short SHA in a repository. | ||||
| func GetFullCommitID(ctx context.Context, repoPath, shortID string) (string, error) { | ||||
| 	commitID, _, err := NewCommand(ctx, "rev-parse").AddDynamicArguments(shortID).RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	commitID, _, err := NewCommand("rev-parse").AddDynamicArguments(shortID).RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		if strings.Contains(err.Error(), "exit status 128") { | ||||
| 			return "", ErrNotExist{shortID, ""} | ||||
|   | ||||
| @@ -116,7 +116,7 @@ func syncGitConfig() (err error) { | ||||
| } | ||||
|  | ||||
| func configSet(key, value string) error { | ||||
| 	stdout, _, err := NewCommand(DefaultContext, "config", "--global", "--get").AddDynamicArguments(key).RunStdString(nil) | ||||
| 	stdout, _, err := NewCommand("config", "--global", "--get").AddDynamicArguments(key).RunStdString(DefaultContext, nil) | ||||
| 	if err != nil && !IsErrorExitCode(err, 1) { | ||||
| 		return fmt.Errorf("failed to get git config %s, err: %w", key, err) | ||||
| 	} | ||||
| @@ -126,7 +126,7 @@ func configSet(key, value string) error { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	_, _, err = NewCommand(DefaultContext, "config", "--global").AddDynamicArguments(key, value).RunStdString(nil) | ||||
| 	_, _, err = NewCommand("config", "--global").AddDynamicArguments(key, value).RunStdString(DefaultContext, nil) | ||||
| 	if err != nil { | ||||
| 		return fmt.Errorf("failed to set git global config %s, err: %w", key, err) | ||||
| 	} | ||||
| @@ -135,14 +135,14 @@ func configSet(key, value string) error { | ||||
| } | ||||
|  | ||||
| func configSetNonExist(key, value string) error { | ||||
| 	_, _, err := NewCommand(DefaultContext, "config", "--global", "--get").AddDynamicArguments(key).RunStdString(nil) | ||||
| 	_, _, err := NewCommand("config", "--global", "--get").AddDynamicArguments(key).RunStdString(DefaultContext, nil) | ||||
| 	if err == nil { | ||||
| 		// already exist | ||||
| 		return nil | ||||
| 	} | ||||
| 	if IsErrorExitCode(err, 1) { | ||||
| 		// not exist, set new config | ||||
| 		_, _, err = NewCommand(DefaultContext, "config", "--global").AddDynamicArguments(key, value).RunStdString(nil) | ||||
| 		_, _, err = NewCommand("config", "--global").AddDynamicArguments(key, value).RunStdString(DefaultContext, nil) | ||||
| 		if err != nil { | ||||
| 			return fmt.Errorf("failed to set git global config %s, err: %w", key, err) | ||||
| 		} | ||||
| @@ -153,14 +153,14 @@ func configSetNonExist(key, value string) error { | ||||
| } | ||||
|  | ||||
| func configAddNonExist(key, value string) error { | ||||
| 	_, _, err := NewCommand(DefaultContext, "config", "--global", "--get").AddDynamicArguments(key, regexp.QuoteMeta(value)).RunStdString(nil) | ||||
| 	_, _, err := NewCommand("config", "--global", "--get").AddDynamicArguments(key, regexp.QuoteMeta(value)).RunStdString(DefaultContext, nil) | ||||
| 	if err == nil { | ||||
| 		// already exist | ||||
| 		return nil | ||||
| 	} | ||||
| 	if IsErrorExitCode(err, 1) { | ||||
| 		// not exist, add new config | ||||
| 		_, _, err = NewCommand(DefaultContext, "config", "--global", "--add").AddDynamicArguments(key, value).RunStdString(nil) | ||||
| 		_, _, err = NewCommand("config", "--global", "--add").AddDynamicArguments(key, value).RunStdString(DefaultContext, nil) | ||||
| 		if err != nil { | ||||
| 			return fmt.Errorf("failed to add git global config %s, err: %w", key, err) | ||||
| 		} | ||||
| @@ -170,10 +170,10 @@ func configAddNonExist(key, value string) error { | ||||
| } | ||||
|  | ||||
| func configUnsetAll(key, value string) error { | ||||
| 	_, _, err := NewCommand(DefaultContext, "config", "--global", "--get").AddDynamicArguments(key).RunStdString(nil) | ||||
| 	_, _, err := NewCommand("config", "--global", "--get").AddDynamicArguments(key).RunStdString(DefaultContext, nil) | ||||
| 	if err == nil { | ||||
| 		// exist, need to remove | ||||
| 		_, _, err = NewCommand(DefaultContext, "config", "--global", "--unset-all").AddDynamicArguments(key, regexp.QuoteMeta(value)).RunStdString(nil) | ||||
| 		_, _, err = NewCommand("config", "--global", "--unset-all").AddDynamicArguments(key, regexp.QuoteMeta(value)).RunStdString(DefaultContext, nil) | ||||
| 		if err != nil { | ||||
| 			return fmt.Errorf("failed to unset git global config %s, err: %w", key, err) | ||||
| 		} | ||||
|   | ||||
| @@ -34,8 +34,8 @@ func GetRawDiff(repo *Repository, commitID string, diffType RawDiffType, writer | ||||
| // GetReverseRawDiff dumps the reverse diff results of repository in given commit ID to io.Writer. | ||||
| func GetReverseRawDiff(ctx context.Context, repoPath, commitID string, writer io.Writer) error { | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	cmd := NewCommand(ctx, "show", "--pretty=format:revert %H%n", "-R").AddDynamicArguments(commitID) | ||||
| 	if err := cmd.Run(&RunOpts{ | ||||
| 	cmd := NewCommand("show", "--pretty=format:revert %H%n", "-R").AddDynamicArguments(commitID) | ||||
| 	if err := cmd.Run(ctx, &RunOpts{ | ||||
| 		Dir:    repoPath, | ||||
| 		Stdout: writer, | ||||
| 		Stderr: stderr, | ||||
| @@ -56,7 +56,7 @@ func GetRepoRawDiffForFile(repo *Repository, startCommit, endCommit string, diff | ||||
| 		files = append(files, file) | ||||
| 	} | ||||
|  | ||||
| 	cmd := NewCommand(repo.Ctx) | ||||
| 	cmd := NewCommand() | ||||
| 	switch diffType { | ||||
| 	case RawDiffNormal: | ||||
| 		if len(startCommit) != 0 { | ||||
| @@ -89,7 +89,7 @@ func GetRepoRawDiffForFile(repo *Repository, startCommit, endCommit string, diff | ||||
| 	} | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	if err = cmd.Run(&RunOpts{ | ||||
| 	if err = cmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdout: writer, | ||||
| 		Stderr: stderr, | ||||
| @@ -301,8 +301,8 @@ func GetAffectedFiles(repo *Repository, branchName, oldCommitID, newCommitID str | ||||
| 	affectedFiles := make([]string, 0, 32) | ||||
|  | ||||
| 	// Run `git diff --name-only` to get the names of the changed files | ||||
| 	err = NewCommand(repo.Ctx, "diff", "--name-only").AddDynamicArguments(oldCommitID, newCommitID). | ||||
| 		Run(&RunOpts{ | ||||
| 	err = NewCommand("diff", "--name-only").AddDynamicArguments(oldCommitID, newCommitID). | ||||
| 		Run(repo.Ctx, &RunOpts{ | ||||
| 			Env:    env, | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: stdoutWriter, | ||||
|   | ||||
| @@ -10,5 +10,5 @@ import ( | ||||
|  | ||||
| // Fsck verifies the connectivity and validity of the objects in the database | ||||
| func Fsck(ctx context.Context, repoPath string, timeout time.Duration, args TrustedCmdArgs) error { | ||||
| 	return NewCommand(ctx, "fsck").AddArguments(args...).Run(&RunOpts{Timeout: timeout, Dir: repoPath}) | ||||
| 	return NewCommand("fsck").AddArguments(args...).Run(ctx, &RunOpts{Timeout: timeout, Dir: repoPath}) | ||||
| } | ||||
|   | ||||
| @@ -60,7 +60,7 @@ func DefaultFeatures() *Features { | ||||
| } | ||||
|  | ||||
| func loadGitVersionFeatures() (*Features, error) { | ||||
| 	stdout, _, runErr := NewCommand(DefaultContext, "version").RunStdString(nil) | ||||
| 	stdout, _, runErr := NewCommand("version").RunStdString(DefaultContext, nil) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
|   | ||||
| @@ -52,7 +52,7 @@ func GrepSearch(ctx context.Context, repo *Repository, search string, opts GrepO | ||||
| 	 2^@repo: go-gitea/gitea | ||||
| 	*/ | ||||
| 	var results []*GrepResult | ||||
| 	cmd := NewCommand(ctx, "grep", "--null", "--break", "--heading", "--fixed-strings", "--line-number", "--ignore-case", "--full-name") | ||||
| 	cmd := NewCommand("grep", "--null", "--break", "--heading", "--fixed-strings", "--line-number", "--ignore-case", "--full-name") | ||||
| 	cmd.AddOptionValues("--context", fmt.Sprint(opts.ContextLineNumber)) | ||||
| 	if opts.IsFuzzy { | ||||
| 		words := strings.Fields(search) | ||||
| @@ -66,7 +66,7 @@ func GrepSearch(ctx context.Context, repo *Repository, search string, opts GrepO | ||||
| 	cmd.AddDashesAndList(opts.PathspecList...) | ||||
| 	opts.MaxResultLimit = util.IfZero(opts.MaxResultLimit, 50) | ||||
| 	stderr := bytes.Buffer{} | ||||
| 	err = cmd.Run(&RunOpts{ | ||||
| 	err = cmd.Run(ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdout: stdoutWriter, | ||||
| 		Stderr: &stderr, | ||||
|   | ||||
| @@ -34,7 +34,7 @@ func LogNameStatusRepo(ctx context.Context, repository, head, treepath string, p | ||||
| 		_ = stdoutWriter.Close() | ||||
| 	} | ||||
|  | ||||
| 	cmd := NewCommand(ctx) | ||||
| 	cmd := NewCommand() | ||||
| 	cmd.AddArguments("log", "--name-status", "-c", "--format=commit%x00%H %P%x00", "--parents", "--no-renames", "-t", "-z").AddDynamicArguments(head) | ||||
|  | ||||
| 	var files []string | ||||
| @@ -64,7 +64,7 @@ func LogNameStatusRepo(ctx context.Context, repository, head, treepath string, p | ||||
|  | ||||
| 	go func() { | ||||
| 		stderr := strings.Builder{} | ||||
| 		err := cmd.Run(&RunOpts{ | ||||
| 		err := cmd.Run(ctx, &RunOpts{ | ||||
| 			Dir:    repository, | ||||
| 			Stdout: stdoutWriter, | ||||
| 			Stderr: &stderr, | ||||
|   | ||||
| @@ -25,8 +25,8 @@ func CatFileBatchCheck(ctx context.Context, shasToCheckReader *io.PipeReader, ca | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	var errbuf strings.Builder | ||||
| 	cmd := git.NewCommand(ctx, "cat-file", "--batch-check") | ||||
| 	if err := cmd.Run(&git.RunOpts{ | ||||
| 	cmd := git.NewCommand("cat-file", "--batch-check") | ||||
| 	if err := cmd.Run(ctx, &git.RunOpts{ | ||||
| 		Dir:    tmpBasePath, | ||||
| 		Stdin:  shasToCheckReader, | ||||
| 		Stdout: catFileCheckWriter, | ||||
| @@ -43,8 +43,8 @@ func CatFileBatchCheckAllObjects(ctx context.Context, catFileCheckWriter *io.Pip | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	var errbuf strings.Builder | ||||
| 	cmd := git.NewCommand(ctx, "cat-file", "--batch-check", "--batch-all-objects") | ||||
| 	if err := cmd.Run(&git.RunOpts{ | ||||
| 	cmd := git.NewCommand("cat-file", "--batch-check", "--batch-all-objects") | ||||
| 	if err := cmd.Run(ctx, &git.RunOpts{ | ||||
| 		Dir:    tmpBasePath, | ||||
| 		Stdout: catFileCheckWriter, | ||||
| 		Stderr: stderr, | ||||
| @@ -64,7 +64,7 @@ func CatFileBatch(ctx context.Context, shasToBatchReader *io.PipeReader, catFile | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	var errbuf strings.Builder | ||||
| 	if err := git.NewCommand(ctx, "cat-file", "--batch").Run(&git.RunOpts{ | ||||
| 	if err := git.NewCommand("cat-file", "--batch").Run(ctx, &git.RunOpts{ | ||||
| 		Dir:    tmpBasePath, | ||||
| 		Stdout: catFileBatchWriter, | ||||
| 		Stdin:  shasToBatchReader, | ||||
|   | ||||
| @@ -32,7 +32,7 @@ func FindLFSFile(repo *git.Repository, objectID git.ObjectID) ([]*LFSResult, err | ||||
|  | ||||
| 	go func() { | ||||
| 		stderr := strings.Builder{} | ||||
| 		err := git.NewCommand(repo.Ctx, "rev-list", "--all").Run(&git.RunOpts{ | ||||
| 		err := git.NewCommand("rev-list", "--all").Run(repo.Ctx, &git.RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: revListWriter, | ||||
| 			Stderr: &stderr, | ||||
|   | ||||
| @@ -22,7 +22,7 @@ func NameRevStdin(ctx context.Context, shasToNameReader *io.PipeReader, nameRevS | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	var errbuf strings.Builder | ||||
| 	if err := git.NewCommand(ctx, "name-rev", "--stdin", "--name-only", "--always").Run(&git.RunOpts{ | ||||
| 	if err := git.NewCommand("name-rev", "--stdin", "--name-only", "--always").Run(ctx, &git.RunOpts{ | ||||
| 		Dir:    tmpBasePath, | ||||
| 		Stdout: nameRevStdinWriter, | ||||
| 		Stdin:  shasToNameReader, | ||||
|   | ||||
| @@ -23,8 +23,8 @@ func RevListAllObjects(ctx context.Context, revListWriter *io.PipeWriter, wg *sy | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	var errbuf strings.Builder | ||||
| 	cmd := git.NewCommand(ctx, "rev-list", "--objects", "--all") | ||||
| 	if err := cmd.Run(&git.RunOpts{ | ||||
| 	cmd := git.NewCommand("rev-list", "--objects", "--all") | ||||
| 	if err := cmd.Run(ctx, &git.RunOpts{ | ||||
| 		Dir:    basePath, | ||||
| 		Stdout: revListWriter, | ||||
| 		Stderr: stderr, | ||||
| @@ -42,11 +42,11 @@ func RevListObjects(ctx context.Context, revListWriter *io.PipeWriter, wg *sync. | ||||
| 	defer revListWriter.Close() | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	var errbuf strings.Builder | ||||
| 	cmd := git.NewCommand(ctx, "rev-list", "--objects").AddDynamicArguments(headSHA) | ||||
| 	cmd := git.NewCommand("rev-list", "--objects").AddDynamicArguments(headSHA) | ||||
| 	if baseSHA != "" { | ||||
| 		cmd = cmd.AddArguments("--not").AddDynamicArguments(baseSHA) | ||||
| 	} | ||||
| 	if err := cmd.Run(&git.RunOpts{ | ||||
| 	if err := cmd.Run(ctx, &git.RunOpts{ | ||||
| 		Dir:    tmpBasePath, | ||||
| 		Stdout: revListWriter, | ||||
| 		Stderr: stderr, | ||||
|   | ||||
| @@ -17,12 +17,12 @@ import ( | ||||
| func GetRemoteAddress(ctx context.Context, repoPath, remoteName string) (string, error) { | ||||
| 	var cmd *Command | ||||
| 	if DefaultFeatures().CheckVersionAtLeast("2.7") { | ||||
| 		cmd = NewCommand(ctx, "remote", "get-url").AddDynamicArguments(remoteName) | ||||
| 		cmd = NewCommand("remote", "get-url").AddDynamicArguments(remoteName) | ||||
| 	} else { | ||||
| 		cmd = NewCommand(ctx, "config", "--get").AddDynamicArguments("remote." + remoteName + ".url") | ||||
| 		cmd = NewCommand("config", "--get").AddDynamicArguments("remote." + remoteName + ".url") | ||||
| 	} | ||||
|  | ||||
| 	result, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	result, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
|   | ||||
| @@ -57,7 +57,7 @@ func (repo *Repository) parsePrettyFormatLogToList(logs []byte) ([]*Commit, erro | ||||
|  | ||||
| // IsRepoURLAccessible checks if given repository URL is accessible. | ||||
| func IsRepoURLAccessible(ctx context.Context, url string) bool { | ||||
| 	_, _, err := NewCommand(ctx, "ls-remote", "-q", "-h").AddDynamicArguments(url, "HEAD").RunStdString(nil) | ||||
| 	_, _, err := NewCommand("ls-remote", "-q", "-h").AddDynamicArguments(url, "HEAD").RunStdString(ctx, nil) | ||||
| 	return err == nil | ||||
| } | ||||
|  | ||||
| @@ -68,7 +68,7 @@ func InitRepository(ctx context.Context, repoPath string, bare bool, objectForma | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	cmd := NewCommand(ctx, "init") | ||||
| 	cmd := NewCommand("init") | ||||
|  | ||||
| 	if !IsValidObjectFormat(objectFormatName) { | ||||
| 		return fmt.Errorf("invalid object format: %s", objectFormatName) | ||||
| @@ -80,15 +80,15 @@ func InitRepository(ctx context.Context, repoPath string, bare bool, objectForma | ||||
| 	if bare { | ||||
| 		cmd.AddArguments("--bare") | ||||
| 	} | ||||
| 	_, _, err = cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	_, _, err = cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // IsEmpty Check if repository is empty. | ||||
| func (repo *Repository) IsEmpty() (bool, error) { | ||||
| 	var errbuf, output strings.Builder | ||||
| 	if err := NewCommand(repo.Ctx).AddOptionFormat("--git-dir=%s", repo.Path).AddArguments("rev-list", "-n", "1", "--all"). | ||||
| 		Run(&RunOpts{ | ||||
| 	if err := NewCommand().AddOptionFormat("--git-dir=%s", repo.Path).AddArguments("rev-list", "-n", "1", "--all"). | ||||
| 		Run(repo.Ctx, &RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: &output, | ||||
| 			Stderr: &errbuf, | ||||
| @@ -129,7 +129,7 @@ func CloneWithArgs(ctx context.Context, args TrustedCmdArgs, from, to string, op | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	cmd := NewCommandContextNoGlobals(ctx, args...).AddArguments("clone") | ||||
| 	cmd := NewCommandNoGlobals(args...).AddArguments("clone") | ||||
| 	if opts.SkipTLSVerify { | ||||
| 		cmd.AddArguments("-c", "http.sslVerify=false") | ||||
| 	} | ||||
| @@ -170,7 +170,7 @@ func CloneWithArgs(ctx context.Context, args TrustedCmdArgs, from, to string, op | ||||
| 	} | ||||
|  | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	if err = cmd.Run(&RunOpts{ | ||||
| 	if err = cmd.Run(ctx, &RunOpts{ | ||||
| 		Timeout: opts.Timeout, | ||||
| 		Env:     envs, | ||||
| 		Stdout:  io.Discard, | ||||
| @@ -193,7 +193,7 @@ type PushOptions struct { | ||||
|  | ||||
| // Push pushs local commits to given remote branch. | ||||
| func Push(ctx context.Context, repoPath string, opts PushOptions) error { | ||||
| 	cmd := NewCommand(ctx, "push") | ||||
| 	cmd := NewCommand("push") | ||||
| 	if opts.Force { | ||||
| 		cmd.AddArguments("-f") | ||||
| 	} | ||||
| @@ -206,7 +206,7 @@ func Push(ctx context.Context, repoPath string, opts PushOptions) error { | ||||
| 	} | ||||
| 	cmd.AddDashesAndList(remoteBranchArgs...) | ||||
|  | ||||
| 	stdout, stderr, err := cmd.RunStdString(&RunOpts{Env: opts.Env, Timeout: opts.Timeout, Dir: repoPath}) | ||||
| 	stdout, stderr, err := cmd.RunStdString(ctx, &RunOpts{Env: opts.Env, Timeout: opts.Timeout, Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		if strings.Contains(stderr, "non-fast-forward") { | ||||
| 			return &ErrPushOutOfDate{StdOut: stdout, StdErr: stderr, Err: err} | ||||
| @@ -225,8 +225,8 @@ func Push(ctx context.Context, repoPath string, opts PushOptions) error { | ||||
|  | ||||
| // GetLatestCommitTime returns time for latest commit in repository (across all branches) | ||||
| func GetLatestCommitTime(ctx context.Context, repoPath string) (time.Time, error) { | ||||
| 	cmd := NewCommand(ctx, "for-each-ref", "--sort=-committerdate", BranchPrefix, "--count", "1", "--format=%(committerdate)") | ||||
| 	stdout, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	cmd := NewCommand("for-each-ref", "--sort=-committerdate", BranchPrefix, "--count", "1", "--format=%(committerdate)") | ||||
| 	stdout, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		return time.Time{}, err | ||||
| 	} | ||||
| @@ -242,9 +242,9 @@ type DivergeObject struct { | ||||
|  | ||||
| // GetDivergingCommits returns the number of commits a targetBranch is ahead or behind a baseBranch | ||||
| func GetDivergingCommits(ctx context.Context, repoPath, baseBranch, targetBranch string) (do DivergeObject, err error) { | ||||
| 	cmd := NewCommand(ctx, "rev-list", "--count", "--left-right"). | ||||
| 	cmd := NewCommand("rev-list", "--count", "--left-right"). | ||||
| 		AddDynamicArguments(baseBranch + "..." + targetBranch).AddArguments("--") | ||||
| 	stdout, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	stdout, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		return do, err | ||||
| 	} | ||||
| @@ -273,23 +273,23 @@ func (repo *Repository) CreateBundle(ctx context.Context, commit string, out io. | ||||
| 	defer os.RemoveAll(tmp) | ||||
|  | ||||
| 	env := append(os.Environ(), "GIT_OBJECT_DIRECTORY="+filepath.Join(repo.Path, "objects")) | ||||
| 	_, _, err = NewCommand(ctx, "init", "--bare").RunStdString(&RunOpts{Dir: tmp, Env: env}) | ||||
| 	_, _, err = NewCommand("init", "--bare").RunStdString(ctx, &RunOpts{Dir: tmp, Env: env}) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	_, _, err = NewCommand(ctx, "reset", "--soft").AddDynamicArguments(commit).RunStdString(&RunOpts{Dir: tmp, Env: env}) | ||||
| 	_, _, err = NewCommand("reset", "--soft").AddDynamicArguments(commit).RunStdString(ctx, &RunOpts{Dir: tmp, Env: env}) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	_, _, err = NewCommand(ctx, "branch", "-m", "bundle").RunStdString(&RunOpts{Dir: tmp, Env: env}) | ||||
| 	_, _, err = NewCommand("branch", "-m", "bundle").RunStdString(ctx, &RunOpts{Dir: tmp, Env: env}) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	tmpFile := filepath.Join(tmp, "bundle") | ||||
| 	_, _, err = NewCommand(ctx, "bundle", "create").AddDynamicArguments(tmpFile, "bundle", "HEAD").RunStdString(&RunOpts{Dir: tmp, Env: env}) | ||||
| 	_, _, err = NewCommand("bundle", "create").AddDynamicArguments(tmpFile, "bundle", "HEAD").RunStdString(ctx, &RunOpts{Dir: tmp, Env: env}) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|   | ||||
| @@ -53,7 +53,7 @@ func (repo *Repository) CreateArchive(ctx context.Context, format ArchiveType, t | ||||
| 		return fmt.Errorf("unknown format: %v", format) | ||||
| 	} | ||||
|  | ||||
| 	cmd := NewCommand(ctx, "archive") | ||||
| 	cmd := NewCommand("archive") | ||||
| 	if usePrefix { | ||||
| 		cmd.AddOptionFormat("--prefix=%s", filepath.Base(strings.TrimSuffix(repo.Path, ".git"))+"/") | ||||
| 	} | ||||
| @@ -61,7 +61,7 @@ func (repo *Repository) CreateArchive(ctx context.Context, format ArchiveType, t | ||||
| 	cmd.AddDynamicArguments(commitID) | ||||
|  | ||||
| 	var stderr strings.Builder | ||||
| 	err := cmd.Run(&RunOpts{ | ||||
| 	err := cmd.Run(ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdout: target, | ||||
| 		Stderr: &stderr, | ||||
|   | ||||
| @@ -41,7 +41,7 @@ func (repo *Repository) CheckAttribute(opts CheckAttributeOpts) (map[string]map[ | ||||
| 	stdOut := new(bytes.Buffer) | ||||
| 	stdErr := new(bytes.Buffer) | ||||
|  | ||||
| 	cmd := NewCommand(repo.Ctx, "check-attr", "-z") | ||||
| 	cmd := NewCommand("check-attr", "-z") | ||||
|  | ||||
| 	if opts.AllAttributes { | ||||
| 		cmd.AddArguments("-a") | ||||
| @@ -59,7 +59,7 @@ func (repo *Repository) CheckAttribute(opts CheckAttributeOpts) (map[string]map[ | ||||
|  | ||||
| 	cmd.AddDashesAndList(opts.Filenames...) | ||||
|  | ||||
| 	if err := cmd.Run(&RunOpts{ | ||||
| 	if err := cmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Env:    env, | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdout: stdOut, | ||||
| @@ -122,7 +122,7 @@ func (c *CheckAttributeReader) Init(ctx context.Context) error { | ||||
| 	} | ||||
|  | ||||
| 	c.ctx, c.cancel = context.WithCancel(ctx) | ||||
| 	c.cmd = NewCommand(c.ctx, "check-attr", "--stdin", "-z") | ||||
| 	c.cmd = NewCommand("check-attr", "--stdin", "-z") | ||||
|  | ||||
| 	if len(c.IndexFile) > 0 { | ||||
| 		c.cmd.AddArguments("--cached") | ||||
| @@ -159,7 +159,7 @@ func (c *CheckAttributeReader) Run() error { | ||||
| 		_ = c.stdOut.Close() | ||||
| 	}() | ||||
| 	stdErr := new(bytes.Buffer) | ||||
| 	err := c.cmd.Run(&RunOpts{ | ||||
| 	err := c.cmd.Run(c.ctx, &RunOpts{ | ||||
| 		Env:    c.env, | ||||
| 		Dir:    c.Repo.Path, | ||||
| 		Stdin:  c.stdinReader, | ||||
|   | ||||
| @@ -9,10 +9,10 @@ import ( | ||||
|  | ||||
| // LineBlame returns the latest commit at the given line | ||||
| func (repo *Repository) LineBlame(revision, path, file string, line uint) (*Commit, error) { | ||||
| 	res, _, err := NewCommand(repo.Ctx, "blame"). | ||||
| 	res, _, err := NewCommand("blame"). | ||||
| 		AddOptionFormat("-L %d,%d", line, line). | ||||
| 		AddOptionValues("-p", revision). | ||||
| 		AddDashesAndList(file).RunStdString(&RunOpts{Dir: path}) | ||||
| 		AddDashesAndList(file).RunStdString(repo.Ctx, &RunOpts{Dir: path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|   | ||||
| @@ -16,7 +16,7 @@ const BranchPrefix = "refs/heads/" | ||||
|  | ||||
| // IsReferenceExist returns true if given reference exists in the repository. | ||||
| func IsReferenceExist(ctx context.Context, repoPath, name string) bool { | ||||
| 	_, _, err := NewCommand(ctx, "show-ref", "--verify").AddDashesAndList(name).RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	_, _, err := NewCommand("show-ref", "--verify").AddDashesAndList(name).RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	return err == nil | ||||
| } | ||||
|  | ||||
| @@ -38,7 +38,7 @@ func (repo *Repository) GetHEADBranch() (*Branch, error) { | ||||
| 	if repo == nil { | ||||
| 		return nil, fmt.Errorf("nil repo") | ||||
| 	} | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "symbolic-ref", "HEAD").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("symbolic-ref", "HEAD").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| @@ -56,7 +56,7 @@ func (repo *Repository) GetHEADBranch() (*Branch, error) { | ||||
| } | ||||
|  | ||||
| func GetDefaultBranch(ctx context.Context, repoPath string) (string, error) { | ||||
| 	stdout, _, err := NewCommand(ctx, "symbolic-ref", "HEAD").RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	stdout, _, err := NewCommand("symbolic-ref", "HEAD").RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| @@ -105,7 +105,7 @@ type DeleteBranchOptions struct { | ||||
|  | ||||
| // DeleteBranch delete a branch by name on repository. | ||||
| func (repo *Repository) DeleteBranch(name string, opts DeleteBranchOptions) error { | ||||
| 	cmd := NewCommand(repo.Ctx, "branch") | ||||
| 	cmd := NewCommand("branch") | ||||
|  | ||||
| 	if opts.Force { | ||||
| 		cmd.AddArguments("-D") | ||||
| @@ -114,36 +114,36 @@ func (repo *Repository) DeleteBranch(name string, opts DeleteBranchOptions) erro | ||||
| 	} | ||||
|  | ||||
| 	cmd.AddDashesAndList(name) | ||||
| 	_, _, err := cmd.RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := cmd.RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
|  | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // CreateBranch create a new branch | ||||
| func (repo *Repository) CreateBranch(branch, oldbranchOrCommit string) error { | ||||
| 	cmd := NewCommand(repo.Ctx, "branch") | ||||
| 	cmd := NewCommand("branch") | ||||
| 	cmd.AddDashesAndList(branch, oldbranchOrCommit) | ||||
|  | ||||
| 	_, _, err := cmd.RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := cmd.RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
|  | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // AddRemote adds a new remote to repository. | ||||
| func (repo *Repository) AddRemote(name, url string, fetch bool) error { | ||||
| 	cmd := NewCommand(repo.Ctx, "remote", "add") | ||||
| 	cmd := NewCommand("remote", "add") | ||||
| 	if fetch { | ||||
| 		cmd.AddArguments("-f") | ||||
| 	} | ||||
| 	cmd.AddDynamicArguments(name, url) | ||||
|  | ||||
| 	_, _, err := cmd.RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := cmd.RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // RemoveRemote removes a remote from repository. | ||||
| func (repo *Repository) RemoveRemote(name string) error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "remote", "rm").AddDynamicArguments(name).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("remote", "rm").AddDynamicArguments(name).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| @@ -154,6 +154,6 @@ func (branch *Branch) GetCommit() (*Commit, error) { | ||||
|  | ||||
| // RenameBranch rename a branch | ||||
| func (repo *Repository) RenameBranch(from, to string) error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "branch", "-m").AddDynamicArguments(from, to).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("branch", "-m").AddDynamicArguments(from, to).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|   | ||||
| @@ -109,7 +109,7 @@ func WalkShowRef(ctx context.Context, repoPath string, extraArgs TrustedCmdArgs, | ||||
| 		stderrBuilder := &strings.Builder{} | ||||
| 		args := TrustedCmdArgs{"for-each-ref", "--format=%(objectname) %(refname)"} | ||||
| 		args = append(args, extraArgs...) | ||||
| 		err := NewCommand(ctx, args...).Run(&RunOpts{ | ||||
| 		err := NewCommand(args...).Run(ctx, &RunOpts{ | ||||
| 			Dir:    repoPath, | ||||
| 			Stdout: stdoutWriter, | ||||
| 			Stderr: stderrBuilder, | ||||
|   | ||||
| @@ -59,7 +59,7 @@ func (repo *Repository) getCommitByPathWithID(id ObjectID, relpath string) (*Com | ||||
| 		relpath = `\` + relpath | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, runErr := NewCommand(repo.Ctx, "log", "-1", prettyLogFormat).AddDynamicArguments(id.String()).AddDashesAndList(relpath).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, runErr := NewCommand("log", "-1", prettyLogFormat).AddDynamicArguments(id.String()).AddDashesAndList(relpath).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
| @@ -74,7 +74,7 @@ func (repo *Repository) getCommitByPathWithID(id ObjectID, relpath string) (*Com | ||||
|  | ||||
| // GetCommitByPath returns the last commit of relative path. | ||||
| func (repo *Repository) GetCommitByPath(relpath string) (*Commit, error) { | ||||
| 	stdout, _, runErr := NewCommand(repo.Ctx, "log", "-1", prettyLogFormat).AddDashesAndList(relpath).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, runErr := NewCommand("log", "-1", prettyLogFormat).AddDashesAndList(relpath).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
| @@ -90,7 +90,7 @@ func (repo *Repository) GetCommitByPath(relpath string) (*Commit, error) { | ||||
| } | ||||
|  | ||||
| func (repo *Repository) commitsByRange(id ObjectID, page, pageSize int, not string) ([]*Commit, error) { | ||||
| 	cmd := NewCommand(repo.Ctx, "log"). | ||||
| 	cmd := NewCommand("log"). | ||||
| 		AddOptionFormat("--skip=%d", (page-1)*pageSize). | ||||
| 		AddOptionFormat("--max-count=%d", pageSize). | ||||
| 		AddArguments(prettyLogFormat). | ||||
| @@ -100,7 +100,7 @@ func (repo *Repository) commitsByRange(id ObjectID, page, pageSize int, not stri | ||||
| 		cmd.AddOptionValues("--not", not) | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, err := cmd.RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := cmd.RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| @@ -134,7 +134,7 @@ func (repo *Repository) searchCommits(id ObjectID, opts SearchCommitsOptions) ([ | ||||
| 	} | ||||
|  | ||||
| 	// create new git log command with limit of 100 commits | ||||
| 	cmd := NewCommand(repo.Ctx, "log", "-100", prettyLogFormat).AddDynamicArguments(id.String()) | ||||
| 	cmd := NewCommand("log", "-100", prettyLogFormat).AddDynamicArguments(id.String()) | ||||
|  | ||||
| 	// pretend that all refs along with HEAD were listed on command line as <commis> | ||||
| 	// https://git-scm.com/docs/git-log#Documentation/git-log.txt---all | ||||
| @@ -154,7 +154,7 @@ func (repo *Repository) searchCommits(id ObjectID, opts SearchCommitsOptions) ([ | ||||
|  | ||||
| 	// search for commits matching given constraints and keywords in commit msg | ||||
| 	addCommonSearchArgs(cmd) | ||||
| 	stdout, _, err := cmd.RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := cmd.RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| @@ -168,14 +168,14 @@ func (repo *Repository) searchCommits(id ObjectID, opts SearchCommitsOptions) ([ | ||||
| 		// ignore anything not matching a valid sha pattern | ||||
| 		if id.Type().IsValid(v) { | ||||
| 			// create new git log command with 1 commit limit | ||||
| 			hashCmd := NewCommand(repo.Ctx, "log", "-1", prettyLogFormat) | ||||
| 			hashCmd := NewCommand("log", "-1", prettyLogFormat) | ||||
| 			// add previous arguments except for --grep and --all | ||||
| 			addCommonSearchArgs(hashCmd) | ||||
| 			// add keyword as <commit> | ||||
| 			hashCmd.AddDynamicArguments(v) | ||||
|  | ||||
| 			// search with given constraints for commit matching sha hash of v | ||||
| 			hashMatching, _, err := hashCmd.RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 			hashMatching, _, err := hashCmd.RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 			if err != nil || bytes.Contains(stdout, hashMatching) { | ||||
| 				continue | ||||
| 			} | ||||
| @@ -190,7 +190,7 @@ func (repo *Repository) searchCommits(id ObjectID, opts SearchCommitsOptions) ([ | ||||
| // FileChangedBetweenCommits Returns true if the file changed between commit IDs id1 and id2 | ||||
| // You must ensure that id1 and id2 are valid commit ids. | ||||
| func (repo *Repository) FileChangedBetweenCommits(filename, id1, id2 string) (bool, error) { | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "diff", "--name-only", "-z").AddDynamicArguments(id1, id2).AddDashesAndList(filename).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("diff", "--name-only", "-z").AddDynamicArguments(id1, id2).AddDashesAndList(filename).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return false, err | ||||
| 	} | ||||
| @@ -223,7 +223,7 @@ func (repo *Repository) CommitsByFileAndRange(opts CommitsByFileAndRangeOptions) | ||||
| 	}() | ||||
| 	go func() { | ||||
| 		stderr := strings.Builder{} | ||||
| 		gitCmd := NewCommand(repo.Ctx, "rev-list"). | ||||
| 		gitCmd := NewCommand("rev-list"). | ||||
| 			AddOptionFormat("--max-count=%d", setting.Git.CommitsRangeSize). | ||||
| 			AddOptionFormat("--skip=%d", (opts.Page-1)*setting.Git.CommitsRangeSize) | ||||
| 		gitCmd.AddDynamicArguments(opts.Revision) | ||||
| @@ -233,7 +233,7 @@ func (repo *Repository) CommitsByFileAndRange(opts CommitsByFileAndRangeOptions) | ||||
| 		} | ||||
|  | ||||
| 		gitCmd.AddDashesAndList(opts.File) | ||||
| 		err := gitCmd.Run(&RunOpts{ | ||||
| 		err := gitCmd.Run(repo.Ctx, &RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: stdoutWriter, | ||||
| 			Stderr: &stderr, | ||||
| @@ -275,11 +275,11 @@ func (repo *Repository) CommitsByFileAndRange(opts CommitsByFileAndRangeOptions) | ||||
|  | ||||
| // FilesCountBetween return the number of files changed between two commits | ||||
| func (repo *Repository) FilesCountBetween(startCommitID, endCommitID string) (int, error) { | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "diff", "--name-only").AddDynamicArguments(startCommitID + "..." + endCommitID).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("diff", "--name-only").AddDynamicArguments(startCommitID+"..."+endCommitID).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil && strings.Contains(err.Error(), "no merge base") { | ||||
| 		// git >= 2.28 now returns an error if startCommitID and endCommitID have become unrelated. | ||||
| 		// previously it would return the results of git diff --name-only startCommitID endCommitID so let's try that... | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "diff", "--name-only").AddDynamicArguments(startCommitID, endCommitID).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 		stdout, _, err = NewCommand("diff", "--name-only").AddDynamicArguments(startCommitID, endCommitID).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	} | ||||
| 	if err != nil { | ||||
| 		return 0, err | ||||
| @@ -293,13 +293,13 @@ func (repo *Repository) CommitsBetween(last, before *Commit) ([]*Commit, error) | ||||
| 	var stdout []byte | ||||
| 	var err error | ||||
| 	if before == nil { | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "rev-list").AddDynamicArguments(last.ID.String()).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 		stdout, _, err = NewCommand("rev-list").AddDynamicArguments(last.ID.String()).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	} else { | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "rev-list").AddDynamicArguments(before.ID.String() + ".." + last.ID.String()).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 		stdout, _, err = NewCommand("rev-list").AddDynamicArguments(before.ID.String()+".."+last.ID.String()).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		if err != nil && strings.Contains(err.Error(), "no merge base") { | ||||
| 			// future versions of git >= 2.28 are likely to return an error if before and last have become unrelated. | ||||
| 			// previously it would return the results of git rev-list before last so let's try that... | ||||
| 			stdout, _, err = NewCommand(repo.Ctx, "rev-list").AddDynamicArguments(before.ID.String(), last.ID.String()).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 			stdout, _, err = NewCommand("rev-list").AddDynamicArguments(before.ID.String(), last.ID.String()).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		} | ||||
| 	} | ||||
| 	if err != nil { | ||||
| @@ -313,22 +313,22 @@ func (repo *Repository) CommitsBetweenLimit(last, before *Commit, limit, skip in | ||||
| 	var stdout []byte | ||||
| 	var err error | ||||
| 	if before == nil { | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "rev-list"). | ||||
| 		stdout, _, err = NewCommand("rev-list"). | ||||
| 			AddOptionValues("--max-count", strconv.Itoa(limit)). | ||||
| 			AddOptionValues("--skip", strconv.Itoa(skip)). | ||||
| 			AddDynamicArguments(last.ID.String()).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 			AddDynamicArguments(last.ID.String()).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	} else { | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "rev-list"). | ||||
| 		stdout, _, err = NewCommand("rev-list"). | ||||
| 			AddOptionValues("--max-count", strconv.Itoa(limit)). | ||||
| 			AddOptionValues("--skip", strconv.Itoa(skip)). | ||||
| 			AddDynamicArguments(before.ID.String() + ".." + last.ID.String()).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 			AddDynamicArguments(before.ID.String()+".."+last.ID.String()).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		if err != nil && strings.Contains(err.Error(), "no merge base") { | ||||
| 			// future versions of git >= 2.28 are likely to return an error if before and last have become unrelated. | ||||
| 			// previously it would return the results of git rev-list --max-count n before last so let's try that... | ||||
| 			stdout, _, err = NewCommand(repo.Ctx, "rev-list"). | ||||
| 			stdout, _, err = NewCommand("rev-list"). | ||||
| 				AddOptionValues("--max-count", strconv.Itoa(limit)). | ||||
| 				AddOptionValues("--skip", strconv.Itoa(skip)). | ||||
| 				AddDynamicArguments(before.ID.String(), last.ID.String()).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 				AddDynamicArguments(before.ID.String(), last.ID.String()).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		} | ||||
| 	} | ||||
| 	if err != nil { | ||||
| @@ -343,13 +343,13 @@ func (repo *Repository) CommitsBetweenNotBase(last, before *Commit, baseBranch s | ||||
| 	var stdout []byte | ||||
| 	var err error | ||||
| 	if before == nil { | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "rev-list").AddDynamicArguments(last.ID.String()).AddOptionValues("--not", baseBranch).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 		stdout, _, err = NewCommand("rev-list").AddDynamicArguments(last.ID.String()).AddOptionValues("--not", baseBranch).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	} else { | ||||
| 		stdout, _, err = NewCommand(repo.Ctx, "rev-list").AddDynamicArguments(before.ID.String()+".."+last.ID.String()).AddOptionValues("--not", baseBranch).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 		stdout, _, err = NewCommand("rev-list").AddDynamicArguments(before.ID.String()+".."+last.ID.String()).AddOptionValues("--not", baseBranch).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		if err != nil && strings.Contains(err.Error(), "no merge base") { | ||||
| 			// future versions of git >= 2.28 are likely to return an error if before and last have become unrelated. | ||||
| 			// previously it would return the results of git rev-list before last so let's try that... | ||||
| 			stdout, _, err = NewCommand(repo.Ctx, "rev-list").AddDynamicArguments(before.ID.String(), last.ID.String()).AddOptionValues("--not", baseBranch).RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 			stdout, _, err = NewCommand("rev-list").AddDynamicArguments(before.ID.String(), last.ID.String()).AddOptionValues("--not", baseBranch).RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		} | ||||
| 	} | ||||
| 	if err != nil { | ||||
| @@ -395,13 +395,13 @@ func (repo *Repository) CommitsCountBetween(start, end string) (int64, error) { | ||||
|  | ||||
| // commitsBefore the limit is depth, not total number of returned commits. | ||||
| func (repo *Repository) commitsBefore(id ObjectID, limit int) ([]*Commit, error) { | ||||
| 	cmd := NewCommand(repo.Ctx, "log", prettyLogFormat) | ||||
| 	cmd := NewCommand("log", prettyLogFormat) | ||||
| 	if limit > 0 { | ||||
| 		cmd.AddOptionFormat("-%d", limit) | ||||
| 	} | ||||
| 	cmd.AddDynamicArguments(id.String()) | ||||
|  | ||||
| 	stdout, _, runErr := cmd.RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, runErr := cmd.RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
| @@ -438,10 +438,10 @@ func (repo *Repository) getCommitsBeforeLimit(id ObjectID, num int) ([]*Commit, | ||||
|  | ||||
| func (repo *Repository) getBranches(env []string, commitID string, limit int) ([]string, error) { | ||||
| 	if DefaultFeatures().CheckVersionAtLeast("2.7.0") { | ||||
| 		stdout, _, err := NewCommand(repo.Ctx, "for-each-ref", "--format=%(refname:strip=2)"). | ||||
| 		stdout, _, err := NewCommand("for-each-ref", "--format=%(refname:strip=2)"). | ||||
| 			AddOptionFormat("--count=%d", limit). | ||||
| 			AddOptionValues("--contains", commitID, BranchPrefix). | ||||
| 			RunStdString(&RunOpts{ | ||||
| 			RunStdString(repo.Ctx, &RunOpts{ | ||||
| 				Dir: repo.Path, | ||||
| 				Env: env, | ||||
| 			}) | ||||
| @@ -453,7 +453,7 @@ func (repo *Repository) getBranches(env []string, commitID string, limit int) ([ | ||||
| 		return branches, nil | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "branch").AddOptionValues("--contains", commitID).RunStdString(&RunOpts{ | ||||
| 	stdout, _, err := NewCommand("branch").AddOptionValues("--contains", commitID).RunStdString(repo.Ctx, &RunOpts{ | ||||
| 		Dir: repo.Path, | ||||
| 		Env: env, | ||||
| 	}) | ||||
| @@ -495,7 +495,7 @@ func (repo *Repository) GetCommitsFromIDs(commitIDs []string) []*Commit { | ||||
|  | ||||
| // IsCommitInBranch check if the commit is on the branch | ||||
| func (repo *Repository) IsCommitInBranch(commitID, branch string) (r bool, err error) { | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "branch", "--contains").AddDynamicArguments(commitID, branch).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("branch", "--contains").AddDynamicArguments(commitID, branch).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return false, err | ||||
| 	} | ||||
| @@ -521,10 +521,10 @@ func (repo *Repository) AddLastCommitCache(cacheKey, fullName, sha string) error | ||||
|  | ||||
| // GetCommitBranchStart returns the commit where the branch diverged | ||||
| func (repo *Repository) GetCommitBranchStart(env []string, branch, endCommitID string) (string, error) { | ||||
| 	cmd := NewCommand(repo.Ctx, "log", prettyLogFormat) | ||||
| 	cmd := NewCommand("log", prettyLogFormat) | ||||
| 	cmd.AddDynamicArguments(endCommitID) | ||||
|  | ||||
| 	stdout, _, runErr := cmd.RunStdBytes(&RunOpts{ | ||||
| 	stdout, _, runErr := cmd.RunStdBytes(repo.Ctx, &RunOpts{ | ||||
| 		Dir: repo.Path, | ||||
| 		Env: env, | ||||
| 	}) | ||||
|   | ||||
| @@ -59,7 +59,7 @@ func (repo *Repository) ConvertToGitID(commitID string) (ObjectID, error) { | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	actualCommitID, _, err := NewCommand(repo.Ctx, "rev-parse", "--verify").AddDynamicArguments(commitID).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	actualCommitID, _, err := NewCommand("rev-parse", "--verify").AddDynamicArguments(commitID).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	actualCommitID = strings.TrimSpace(actualCommitID) | ||||
| 	if err != nil { | ||||
| 		if strings.Contains(err.Error(), "unknown revision or path") || | ||||
|   | ||||
| @@ -16,7 +16,7 @@ import ( | ||||
|  | ||||
| // ResolveReference resolves a name to a reference | ||||
| func (repo *Repository) ResolveReference(name string) (string, error) { | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "show-ref", "--hash").AddDynamicArguments(name).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("show-ref", "--hash").AddDynamicArguments(name).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		if strings.Contains(err.Error(), "not a valid ref") { | ||||
| 			return "", ErrNotExist{name, ""} | ||||
| @@ -52,13 +52,13 @@ func (repo *Repository) GetRefCommitID(name string) (string, error) { | ||||
|  | ||||
| // SetReference sets the commit ID string of given reference (e.g. branch or tag). | ||||
| func (repo *Repository) SetReference(name, commitID string) error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "update-ref").AddDynamicArguments(name, commitID).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("update-ref").AddDynamicArguments(name, commitID).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // RemoveReference removes the given reference (e.g. branch or tag). | ||||
| func (repo *Repository) RemoveReference(name string) error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "update-ref", "--no-deref", "-d").AddDynamicArguments(name).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("update-ref", "--no-deref", "-d").AddDynamicArguments(name).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| @@ -68,7 +68,7 @@ func (repo *Repository) IsCommitExist(name string) bool { | ||||
| 		log.Error("IsCommitExist: %v", err) | ||||
| 		return false | ||||
| 	} | ||||
| 	_, _, err := NewCommand(repo.Ctx, "cat-file", "-e").AddDynamicArguments(name).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("cat-file", "-e").AddDynamicArguments(name).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err == nil | ||||
| } | ||||
|  | ||||
|   | ||||
| @@ -12,7 +12,7 @@ import ( | ||||
| // this requires git v2.18 to be installed | ||||
| func WriteCommitGraph(ctx context.Context, repoPath string) error { | ||||
| 	if DefaultFeatures().CheckVersionAtLeast("2.18") { | ||||
| 		if _, _, err := NewCommand(ctx, "commit-graph", "write").RunStdString(&RunOpts{Dir: repoPath}); err != nil { | ||||
| 		if _, _, err := NewCommand("commit-graph", "write").RunStdString(ctx, &RunOpts{Dir: repoPath}); err != nil { | ||||
| 			return fmt.Errorf("unable to write commit-graph for '%s' : %w", repoPath, err) | ||||
| 		} | ||||
| 	} | ||||
|   | ||||
| @@ -39,13 +39,13 @@ func (repo *Repository) GetMergeBase(tmpRemote, base, head string) (string, stri | ||||
| 	if tmpRemote != "origin" { | ||||
| 		tmpBaseName := RemotePrefix + tmpRemote + "/tmp_" + base | ||||
| 		// Fetch commit into a temporary branch in order to be able to handle commits and tags | ||||
| 		_, _, err := NewCommand(repo.Ctx, "fetch", "--no-tags").AddDynamicArguments(tmpRemote).AddDashesAndList(base + ":" + tmpBaseName).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 		_, _, err := NewCommand("fetch", "--no-tags").AddDynamicArguments(tmpRemote).AddDashesAndList(base+":"+tmpBaseName).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		if err == nil { | ||||
| 			base = tmpBaseName | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "merge-base").AddDashesAndList(base, head).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("merge-base").AddDashesAndList(base, head).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return strings.TrimSpace(stdout), base, err | ||||
| } | ||||
|  | ||||
| @@ -94,9 +94,9 @@ func (repo *Repository) GetCompareInfo(basePath, baseBranch, headBranch string, | ||||
| 		if !fileOnly { | ||||
| 			// avoid: ambiguous argument 'refs/a...refs/b': unknown revision or path not in the working tree. Use '--': 'git <command> [<revision>...] -- [<file>...]' | ||||
| 			var logs []byte | ||||
| 			logs, _, err = NewCommand(repo.Ctx, "log").AddArguments(prettyLogFormat). | ||||
| 				AddDynamicArguments(baseCommitID + separator + headBranch).AddArguments("--"). | ||||
| 				RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 			logs, _, err = NewCommand("log").AddArguments(prettyLogFormat). | ||||
| 				AddDynamicArguments(baseCommitID+separator+headBranch).AddArguments("--"). | ||||
| 				RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 			if err != nil { | ||||
| 				return nil, err | ||||
| 			} | ||||
| @@ -150,8 +150,8 @@ func (repo *Repository) GetDiffNumChangedFiles(base, head string, directComparis | ||||
| 	} | ||||
|  | ||||
| 	// avoid: ambiguous argument 'refs/a...refs/b': unknown revision or path not in the working tree. Use '--': 'git <command> [<revision>...] -- [<file>...]' | ||||
| 	if err := NewCommand(repo.Ctx, "diff", "-z", "--name-only").AddDynamicArguments(base + separator + head).AddArguments("--"). | ||||
| 		Run(&RunOpts{ | ||||
| 	if err := NewCommand("diff", "-z", "--name-only").AddDynamicArguments(base+separator+head).AddArguments("--"). | ||||
| 		Run(repo.Ctx, &RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: w, | ||||
| 			Stderr: stderr, | ||||
| @@ -161,7 +161,7 @@ func (repo *Repository) GetDiffNumChangedFiles(base, head string, directComparis | ||||
| 			// previously it would return the results of git diff -z --name-only base head so let's try that... | ||||
| 			w = &lineCountWriter{} | ||||
| 			stderr.Reset() | ||||
| 			if err = NewCommand(repo.Ctx, "diff", "-z", "--name-only").AddDynamicArguments(base, head).AddArguments("--").Run(&RunOpts{ | ||||
| 			if err = NewCommand("diff", "-z", "--name-only").AddDynamicArguments(base, head).AddArguments("--").Run(repo.Ctx, &RunOpts{ | ||||
| 				Dir:    repo.Path, | ||||
| 				Stdout: w, | ||||
| 				Stderr: stderr, | ||||
| @@ -189,8 +189,8 @@ func GetDiffShortStat(ctx context.Context, repoPath string, trustedArgs TrustedC | ||||
| 	// $ git diff --shortstat 1ebb35b98889ff77299f24d82da426b434b0cca0...788b8b1440462d477f45b0088875 | ||||
| 	// we get: | ||||
| 	// " 9902 files changed, 2034198 insertions(+), 298800 deletions(-)\n" | ||||
| 	cmd := NewCommand(ctx, "diff", "--shortstat").AddArguments(trustedArgs...).AddDynamicArguments(dynamicArgs...) | ||||
| 	stdout, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}) | ||||
| 	cmd := NewCommand("diff", "--shortstat").AddArguments(trustedArgs...).AddDynamicArguments(dynamicArgs...) | ||||
| 	stdout, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}) | ||||
| 	if err != nil { | ||||
| 		return 0, 0, 0, err | ||||
| 	} | ||||
| @@ -236,8 +236,8 @@ func parseDiffStat(stdout string) (numFiles, totalAdditions, totalDeletions int, | ||||
| // GetDiff generates and returns patch data between given revisions, optimized for human readability | ||||
| func (repo *Repository) GetDiff(compareArg string, w io.Writer) error { | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	return NewCommand(repo.Ctx, "diff", "-p").AddDynamicArguments(compareArg). | ||||
| 		Run(&RunOpts{ | ||||
| 	return NewCommand("diff", "-p").AddDynamicArguments(compareArg). | ||||
| 		Run(repo.Ctx, &RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: w, | ||||
| 			Stderr: stderr, | ||||
| @@ -246,7 +246,7 @@ func (repo *Repository) GetDiff(compareArg string, w io.Writer) error { | ||||
|  | ||||
| // GetDiffBinary generates and returns patch data between given revisions, including binary diffs. | ||||
| func (repo *Repository) GetDiffBinary(compareArg string, w io.Writer) error { | ||||
| 	return NewCommand(repo.Ctx, "diff", "-p", "--binary", "--histogram").AddDynamicArguments(compareArg).Run(&RunOpts{ | ||||
| 	return NewCommand("diff", "-p", "--binary", "--histogram").AddDynamicArguments(compareArg).Run(repo.Ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdout: w, | ||||
| 	}) | ||||
| @@ -255,8 +255,8 @@ func (repo *Repository) GetDiffBinary(compareArg string, w io.Writer) error { | ||||
| // GetPatch generates and returns format-patch data between given revisions, able to be used with `git apply` | ||||
| func (repo *Repository) GetPatch(compareArg string, w io.Writer) error { | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	return NewCommand(repo.Ctx, "format-patch", "--binary", "--stdout").AddDynamicArguments(compareArg). | ||||
| 		Run(&RunOpts{ | ||||
| 	return NewCommand("format-patch", "--binary", "--stdout").AddDynamicArguments(compareArg). | ||||
| 		Run(repo.Ctx, &RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: w, | ||||
| 			Stderr: stderr, | ||||
| @@ -271,13 +271,13 @@ func (repo *Repository) GetFilesChangedBetween(base, head string) ([]string, err | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	cmd := NewCommand(repo.Ctx, "diff-tree", "--name-only", "--root", "--no-commit-id", "-r", "-z") | ||||
| 	cmd := NewCommand("diff-tree", "--name-only", "--root", "--no-commit-id", "-r", "-z") | ||||
| 	if base == objectFormat.EmptyObjectID().String() { | ||||
| 		cmd.AddDynamicArguments(head) | ||||
| 	} else { | ||||
| 		cmd.AddDynamicArguments(base, head) | ||||
| 	} | ||||
| 	stdout, _, err := cmd.RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := cmd.RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|   | ||||
| @@ -33,7 +33,7 @@ func (repo *Repository) GetDefaultPublicGPGKey(forceUpdate bool) (*GPGSettings, | ||||
| 		Sign: true, | ||||
| 	} | ||||
|  | ||||
| 	value, _, _ := NewCommand(repo.Ctx, "config", "--get", "commit.gpgsign").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	value, _, _ := NewCommand("config", "--get", "commit.gpgsign").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	sign, valid := ParseBool(strings.TrimSpace(value)) | ||||
| 	if !sign || !valid { | ||||
| 		gpgSettings.Sign = false | ||||
| @@ -41,13 +41,13 @@ func (repo *Repository) GetDefaultPublicGPGKey(forceUpdate bool) (*GPGSettings, | ||||
| 		return gpgSettings, nil | ||||
| 	} | ||||
|  | ||||
| 	signingKey, _, _ := NewCommand(repo.Ctx, "config", "--get", "user.signingkey").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	signingKey, _, _ := NewCommand("config", "--get", "user.signingkey").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	gpgSettings.KeyID = strings.TrimSpace(signingKey) | ||||
|  | ||||
| 	defaultEmail, _, _ := NewCommand(repo.Ctx, "config", "--get", "user.email").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	defaultEmail, _, _ := NewCommand("config", "--get", "user.email").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	gpgSettings.Email = strings.TrimSpace(defaultEmail) | ||||
|  | ||||
| 	defaultName, _, _ := NewCommand(repo.Ctx, "config", "--get", "user.name").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	defaultName, _, _ := NewCommand("config", "--get", "user.name").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	gpgSettings.Name = strings.TrimSpace(defaultName) | ||||
|  | ||||
| 	if err := gpgSettings.LoadPublicKeyContent(); err != nil { | ||||
|   | ||||
| @@ -22,7 +22,7 @@ func (repo *Repository) ReadTreeToIndex(treeish string, indexFilename ...string) | ||||
| 	} | ||||
|  | ||||
| 	if len(treeish) != objectFormat.FullLength() { | ||||
| 		res, _, err := NewCommand(repo.Ctx, "rev-parse", "--verify").AddDynamicArguments(treeish).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 		res, _, err := NewCommand("rev-parse", "--verify").AddDynamicArguments(treeish).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| @@ -42,7 +42,7 @@ func (repo *Repository) readTreeToIndex(id ObjectID, indexFilename ...string) er | ||||
| 	if len(indexFilename) > 0 { | ||||
| 		env = append(os.Environ(), "GIT_INDEX_FILE="+indexFilename[0]) | ||||
| 	} | ||||
| 	_, _, err := NewCommand(repo.Ctx, "read-tree").AddDynamicArguments(id.String()).RunStdString(&RunOpts{Dir: repo.Path, Env: env}) | ||||
| 	_, _, err := NewCommand("read-tree").AddDynamicArguments(id.String()).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path, Env: env}) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| @@ -83,14 +83,14 @@ func (repo *Repository) ReadTreeToTemporaryIndex(treeish string) (tmpIndexFilena | ||||
|  | ||||
| // EmptyIndex empties the index | ||||
| func (repo *Repository) EmptyIndex() error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "read-tree", "--empty").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("read-tree", "--empty").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // LsFiles checks if the given filenames are in the index | ||||
| func (repo *Repository) LsFiles(filenames ...string) ([]string, error) { | ||||
| 	cmd := NewCommand(repo.Ctx, "ls-files", "-z").AddDashesAndList(filenames...) | ||||
| 	res, _, err := cmd.RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	cmd := NewCommand("ls-files", "-z").AddDashesAndList(filenames...) | ||||
| 	res, _, err := cmd.RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| @@ -108,7 +108,7 @@ func (repo *Repository) RemoveFilesFromIndex(filenames ...string) error { | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	cmd := NewCommand(repo.Ctx, "update-index", "--remove", "-z", "--index-info") | ||||
| 	cmd := NewCommand("update-index", "--remove", "-z", "--index-info") | ||||
| 	stdout := new(bytes.Buffer) | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	buffer := new(bytes.Buffer) | ||||
| @@ -118,7 +118,7 @@ func (repo *Repository) RemoveFilesFromIndex(filenames ...string) error { | ||||
| 			buffer.WriteString("0 blob " + objectFormat.EmptyObjectID().String() + "\t" + file + "\000") | ||||
| 		} | ||||
| 	} | ||||
| 	return cmd.Run(&RunOpts{ | ||||
| 	return cmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdin:  bytes.NewReader(buffer.Bytes()), | ||||
| 		Stdout: stdout, | ||||
| @@ -134,7 +134,7 @@ type IndexObjectInfo struct { | ||||
|  | ||||
| // AddObjectsToIndex adds the provided object hashes to the index at the provided filenames | ||||
| func (repo *Repository) AddObjectsToIndex(objects ...IndexObjectInfo) error { | ||||
| 	cmd := NewCommand(repo.Ctx, "update-index", "--add", "--replace", "-z", "--index-info") | ||||
| 	cmd := NewCommand("update-index", "--add", "--replace", "-z", "--index-info") | ||||
| 	stdout := new(bytes.Buffer) | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	buffer := new(bytes.Buffer) | ||||
| @@ -142,7 +142,7 @@ func (repo *Repository) AddObjectsToIndex(objects ...IndexObjectInfo) error { | ||||
| 		// using format: mode SP type SP sha1 TAB path | ||||
| 		buffer.WriteString(object.Mode + " blob " + object.Object.String() + "\t" + object.Filename + "\000") | ||||
| 	} | ||||
| 	return cmd.Run(&RunOpts{ | ||||
| 	return cmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdin:  bytes.NewReader(buffer.Bytes()), | ||||
| 		Stdout: stdout, | ||||
| @@ -157,7 +157,7 @@ func (repo *Repository) AddObjectToIndex(mode string, object ObjectID, filename | ||||
|  | ||||
| // WriteTree writes the current index as a tree to the object db and returns its hash | ||||
| func (repo *Repository) WriteTree() (*Tree, error) { | ||||
| 	stdout, _, runErr := NewCommand(repo.Ctx, "write-tree").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, runErr := NewCommand("write-tree").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
|   | ||||
| @@ -68,13 +68,13 @@ func (repo *Repository) HashObject(reader io.Reader) (ObjectID, error) { | ||||
| func (repo *Repository) hashObject(reader io.Reader, save bool) (string, error) { | ||||
| 	var cmd *Command | ||||
| 	if save { | ||||
| 		cmd = NewCommand(repo.Ctx, "hash-object", "-w", "--stdin") | ||||
| 		cmd = NewCommand("hash-object", "-w", "--stdin") | ||||
| 	} else { | ||||
| 		cmd = NewCommand(repo.Ctx, "hash-object", "--stdin") | ||||
| 		cmd = NewCommand("hash-object", "--stdin") | ||||
| 	} | ||||
| 	stdout := new(bytes.Buffer) | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	err := cmd.Run(&RunOpts{ | ||||
| 	err := cmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdin:  reader, | ||||
| 		Stdout: stdout, | ||||
|   | ||||
| @@ -18,7 +18,7 @@ func (repo *Repository) GetRefs() ([]*Reference, error) { | ||||
| // ListOccurrences lists all refs of the given refType the given commit appears in sorted by creation date DESC | ||||
| // refType should only be a literal "branch" or "tag" and nothing else | ||||
| func (repo *Repository) ListOccurrences(ctx context.Context, refType, commitSHA string) ([]string, error) { | ||||
| 	cmd := NewCommand(ctx) | ||||
| 	cmd := NewCommand() | ||||
| 	if refType == "branch" { | ||||
| 		cmd.AddArguments("branch") | ||||
| 	} else if refType == "tag" { | ||||
| @@ -26,7 +26,7 @@ func (repo *Repository) ListOccurrences(ctx context.Context, refType, commitSHA | ||||
| 	} else { | ||||
| 		return nil, util.NewInvalidArgumentErrorf(`can only use "branch" or "tag" for refType, but got %q`, refType) | ||||
| 	} | ||||
| 	stdout, _, err := cmd.AddArguments("--no-color", "--sort=-creatordate", "--contains").AddDynamicArguments(commitSHA).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := cmd.AddArguments("--no-color", "--sort=-creatordate", "--contains").AddDynamicArguments(commitSHA).RunStdString(ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|   | ||||
| @@ -21,7 +21,7 @@ func (repo *Repository) GetRefsFiltered(pattern string) ([]*Reference, error) { | ||||
|  | ||||
| 	go func() { | ||||
| 		stderrBuilder := &strings.Builder{} | ||||
| 		err := NewCommand(repo.Ctx, "for-each-ref").Run(&RunOpts{ | ||||
| 		err := NewCommand("for-each-ref").Run(repo.Ctx, &RunOpts{ | ||||
| 			Dir:    repo.Path, | ||||
| 			Stdout: stdoutWriter, | ||||
| 			Stderr: stderrBuilder, | ||||
|   | ||||
| @@ -40,7 +40,7 @@ func (repo *Repository) GetCodeActivityStats(fromTime time.Time, branch string) | ||||
|  | ||||
| 	since := fromTime.Format(time.RFC3339) | ||||
|  | ||||
| 	stdout, _, runErr := NewCommand(repo.Ctx, "rev-list", "--count", "--no-merges", "--branches=*", "--date=iso").AddOptionFormat("--since='%s'", since).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, runErr := NewCommand("rev-list", "--count", "--no-merges", "--branches=*", "--date=iso").AddOptionFormat("--since='%s'", since).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
| @@ -60,7 +60,7 @@ func (repo *Repository) GetCodeActivityStats(fromTime time.Time, branch string) | ||||
| 		_ = stdoutWriter.Close() | ||||
| 	}() | ||||
|  | ||||
| 	gitCmd := NewCommand(repo.Ctx, "log", "--numstat", "--no-merges", "--pretty=format:---%n%h%n%aN%n%aE%n", "--date=iso").AddOptionFormat("--since='%s'", since) | ||||
| 	gitCmd := NewCommand("log", "--numstat", "--no-merges", "--pretty=format:---%n%h%n%aN%n%aE%n", "--date=iso").AddOptionFormat("--since='%s'", since) | ||||
| 	if len(branch) == 0 { | ||||
| 		gitCmd.AddArguments("--branches=*") | ||||
| 	} else { | ||||
| @@ -68,7 +68,7 @@ func (repo *Repository) GetCodeActivityStats(fromTime time.Time, branch string) | ||||
| 	} | ||||
|  | ||||
| 	stderr := new(strings.Builder) | ||||
| 	err = gitCmd.Run(&RunOpts{ | ||||
| 	err = gitCmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Env:    []string{}, | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdout: stdoutWriter, | ||||
|   | ||||
| @@ -24,13 +24,13 @@ func IsTagExist(ctx context.Context, repoPath, name string) bool { | ||||
|  | ||||
| // CreateTag create one tag in the repository | ||||
| func (repo *Repository) CreateTag(name, revision string) error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "tag").AddDashesAndList(name, revision).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("tag").AddDashesAndList(name, revision).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // CreateAnnotatedTag create one annotated tag in the repository | ||||
| func (repo *Repository) CreateAnnotatedTag(name, message, revision string) error { | ||||
| 	_, _, err := NewCommand(repo.Ctx, "tag", "-a", "-m").AddDynamicArguments(message).AddDashesAndList(name, revision).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	_, _, err := NewCommand("tag", "-a", "-m").AddDynamicArguments(message).AddDashesAndList(name, revision).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| @@ -40,7 +40,7 @@ func (repo *Repository) GetTagNameBySHA(sha string) (string, error) { | ||||
| 		return "", fmt.Errorf("SHA is too short: %s", sha) | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "show-ref", "--tags", "-d").RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("show-ref", "--tags", "-d").RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| @@ -63,7 +63,7 @@ func (repo *Repository) GetTagNameBySHA(sha string) (string, error) { | ||||
|  | ||||
| // GetTagID returns the object ID for a tag (annotated tags have both an object SHA AND a commit SHA) | ||||
| func (repo *Repository) GetTagID(name string) (string, error) { | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "show-ref", "--tags").AddDashesAndList(name).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 	stdout, _, err := NewCommand("show-ref", "--tags").AddDashesAndList(name).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| @@ -123,9 +123,9 @@ func (repo *Repository) GetTagInfos(page, pageSize int) ([]*Tag, int, error) { | ||||
| 	rc := &RunOpts{Dir: repo.Path, Stdout: stdoutWriter, Stderr: &stderr} | ||||
|  | ||||
| 	go func() { | ||||
| 		err := NewCommand(repo.Ctx, "for-each-ref"). | ||||
| 		err := NewCommand("for-each-ref"). | ||||
| 			AddOptionFormat("--format=%s", forEachRefFmt.Flag()). | ||||
| 			AddArguments("--sort", "-*creatordate", "refs/tags").Run(rc) | ||||
| 			AddArguments("--sort", "-*creatordate", "refs/tags").Run(repo.Ctx, rc) | ||||
| 		if err != nil { | ||||
| 			_ = stdoutWriter.CloseWithError(ConcatenateError(err, stderr.String())) | ||||
| 		} else { | ||||
|   | ||||
| @@ -33,7 +33,7 @@ func (repo *Repository) CommitTree(author, committer *Signature, tree *Tree, opt | ||||
| 		"GIT_COMMITTER_EMAIL="+committer.Email, | ||||
| 		"GIT_COMMITTER_DATE="+commitTimeStr, | ||||
| 	) | ||||
| 	cmd := NewCommand(repo.Ctx, "commit-tree").AddDynamicArguments(tree.ID.String()) | ||||
| 	cmd := NewCommand("commit-tree").AddDynamicArguments(tree.ID.String()) | ||||
|  | ||||
| 	for _, parent := range opts.Parents { | ||||
| 		cmd.AddArguments("-p").AddDynamicArguments(parent) | ||||
| @@ -53,7 +53,7 @@ func (repo *Repository) CommitTree(author, committer *Signature, tree *Tree, opt | ||||
|  | ||||
| 	stdout := new(bytes.Buffer) | ||||
| 	stderr := new(bytes.Buffer) | ||||
| 	err := cmd.Run(&RunOpts{ | ||||
| 	err := cmd.Run(repo.Ctx, &RunOpts{ | ||||
| 		Env:    env, | ||||
| 		Dir:    repo.Path, | ||||
| 		Stdin:  messageBytes, | ||||
|   | ||||
| @@ -36,7 +36,7 @@ func (repo *Repository) GetTree(idStr string) (*Tree, error) { | ||||
| 	} | ||||
|  | ||||
| 	if len(idStr) != objectFormat.FullLength() { | ||||
| 		res, _, err := NewCommand(repo.Ctx, "rev-parse", "--verify").AddDynamicArguments(idStr).RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 		res, _, err := NewCommand("rev-parse", "--verify").AddDynamicArguments(idStr).RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
|   | ||||
| @@ -45,7 +45,7 @@ func GetTemplateSubmoduleCommits(ctx context.Context, repoPath string) (submodul | ||||
| 			return scanner.Err() | ||||
| 		}, | ||||
| 	} | ||||
| 	err = NewCommand(ctx, "ls-tree", "-r", "--", "HEAD").Run(opts) | ||||
| 	err = NewCommand("ls-tree", "-r", "--", "HEAD").Run(ctx, opts) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("GetTemplateSubmoduleCommits: error running git ls-tree: %v", err) | ||||
| 	} | ||||
| @@ -56,8 +56,8 @@ func GetTemplateSubmoduleCommits(ctx context.Context, repoPath string) (submodul | ||||
| // It is only for generating new repos based on existing template, requires the .gitmodules file to be already present in the work dir. | ||||
| func AddTemplateSubmoduleIndexes(ctx context.Context, repoPath string, submodules []TemplateSubmoduleCommit) error { | ||||
| 	for _, submodule := range submodules { | ||||
| 		cmd := NewCommand(ctx, "update-index", "--add", "--cacheinfo", "160000").AddDynamicArguments(submodule.Commit, submodule.Path) | ||||
| 		if stdout, _, err := cmd.RunStdString(&RunOpts{Dir: repoPath}); err != nil { | ||||
| 		cmd := NewCommand("update-index", "--add", "--cacheinfo", "160000").AddDynamicArguments(submodule.Commit, submodule.Path) | ||||
| 		if stdout, _, err := cmd.RunStdString(ctx, &RunOpts{Dir: repoPath}); err != nil { | ||||
| 			log.Error("Unable to add %s as submodule to repo %s: stdout %s\nError: %v", submodule.Path, repoPath, stdout, err) | ||||
| 			return err | ||||
| 		} | ||||
|   | ||||
| @@ -30,14 +30,14 @@ func TestAddTemplateSubmoduleIndexes(t *testing.T) { | ||||
| 	ctx := t.Context() | ||||
| 	tmpDir := t.TempDir() | ||||
| 	var err error | ||||
| 	_, _, err = NewCommand(ctx, "init").RunStdString(&RunOpts{Dir: tmpDir}) | ||||
| 	_, _, err = NewCommand("init").RunStdString(ctx, &RunOpts{Dir: tmpDir}) | ||||
| 	require.NoError(t, err) | ||||
| 	_ = os.Mkdir(filepath.Join(tmpDir, "new-dir"), 0o755) | ||||
| 	err = AddTemplateSubmoduleIndexes(ctx, tmpDir, []TemplateSubmoduleCommit{{Path: "new-dir", Commit: "1234567890123456789012345678901234567890"}}) | ||||
| 	require.NoError(t, err) | ||||
| 	_, _, err = NewCommand(ctx, "add", "--all").RunStdString(&RunOpts{Dir: tmpDir}) | ||||
| 	_, _, err = NewCommand("add", "--all").RunStdString(ctx, &RunOpts{Dir: tmpDir}) | ||||
| 	require.NoError(t, err) | ||||
| 	_, _, err = NewCommand(ctx, "-c", "user.name=a", "-c", "user.email=b", "commit", "-m=test").RunStdString(&RunOpts{Dir: tmpDir}) | ||||
| 	_, _, err = NewCommand("-c", "user.name=a", "-c", "user.email=b", "commit", "-m=test").RunStdString(ctx, &RunOpts{Dir: tmpDir}) | ||||
| 	require.NoError(t, err) | ||||
| 	submodules, err := GetTemplateSubmoduleCommits(DefaultContext, tmpDir) | ||||
| 	require.NoError(t, err) | ||||
|   | ||||
| @@ -48,10 +48,10 @@ func (t *Tree) SubTree(rpath string) (*Tree, error) { | ||||
|  | ||||
| // LsTree checks if the given filenames are in the tree | ||||
| func (repo *Repository) LsTree(ref string, filenames ...string) ([]string, error) { | ||||
| 	cmd := NewCommand(repo.Ctx, "ls-tree", "-z", "--name-only"). | ||||
| 	cmd := NewCommand("ls-tree", "-z", "--name-only"). | ||||
| 		AddDashesAndList(append([]string{ref}, filenames...)...) | ||||
|  | ||||
| 	res, _, err := cmd.RunStdBytes(&RunOpts{Dir: repo.Path}) | ||||
| 	res, _, err := cmd.RunStdBytes(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| @@ -65,9 +65,9 @@ func (repo *Repository) LsTree(ref string, filenames ...string) ([]string, error | ||||
|  | ||||
| // GetTreePathLatestCommit returns the latest commit of a tree path | ||||
| func (repo *Repository) GetTreePathLatestCommit(refName, treePath string) (*Commit, error) { | ||||
| 	stdout, _, err := NewCommand(repo.Ctx, "rev-list", "-1"). | ||||
| 	stdout, _, err := NewCommand("rev-list", "-1"). | ||||
| 		AddDynamicArguments(refName).AddDashesAndList(treePath). | ||||
| 		RunStdString(&RunOpts{Dir: repo.Path}) | ||||
| 		RunStdString(repo.Ctx, &RunOpts{Dir: repo.Path}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|   | ||||
| @@ -70,7 +70,7 @@ func (t *Tree) ListEntries() (Entries, error) { | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, runErr := NewCommand(t.repo.Ctx, "ls-tree", "-l").AddDynamicArguments(t.ID.String()).RunStdBytes(&RunOpts{Dir: t.repo.Path}) | ||||
| 	stdout, _, runErr := NewCommand("ls-tree", "-l").AddDynamicArguments(t.ID.String()).RunStdBytes(t.repo.Ctx, &RunOpts{Dir: t.repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		if strings.Contains(runErr.Error(), "fatal: Not a valid object name") || strings.Contains(runErr.Error(), "fatal: not a tree object") { | ||||
| 			return nil, ErrNotExist{ | ||||
| @@ -96,10 +96,10 @@ func (t *Tree) listEntriesRecursive(extraArgs TrustedCmdArgs) (Entries, error) { | ||||
| 		return t.entriesRecursive, nil | ||||
| 	} | ||||
|  | ||||
| 	stdout, _, runErr := NewCommand(t.repo.Ctx, "ls-tree", "-t", "-r"). | ||||
| 	stdout, _, runErr := NewCommand("ls-tree", "-t", "-r"). | ||||
| 		AddArguments(extraArgs...). | ||||
| 		AddDynamicArguments(t.ID.String()). | ||||
| 		RunStdBytes(&RunOpts{Dir: t.repo.Path}) | ||||
| 		RunStdBytes(t.repo.Ctx, &RunOpts{Dir: t.repo.Path}) | ||||
| 	if runErr != nil { | ||||
| 		return nil, runErr | ||||
| 	} | ||||
|   | ||||
		Reference in New Issue
	
	Block a user