mirror of
https://github.com/go-gitea/gitea.git
synced 2025-10-24 17:14:30 +02:00
Refactor Git command functions to use WithXXX methods instead of exposing RunOpts. This change simplifies reuse across gitrepo and improves consistency, encapsulation, and maintainability of command options. --------- Co-authored-by: wxiaoguang <wxiaoguang@gmail.com>
68 lines
2.2 KiB
Go
68 lines
2.2 KiB
Go
// Copyright 2024 The Gitea Authors. All rights reserved.
|
|
// SPDX-License-Identifier: MIT
|
|
|
|
package git
|
|
|
|
import (
|
|
"bufio"
|
|
"context"
|
|
"fmt"
|
|
"os"
|
|
|
|
"code.gitea.io/gitea/modules/git/gitcmd"
|
|
"code.gitea.io/gitea/modules/log"
|
|
)
|
|
|
|
type TemplateSubmoduleCommit struct {
|
|
Path string
|
|
Commit string
|
|
}
|
|
|
|
// GetTemplateSubmoduleCommits returns a list of submodules paths and their commits from a repository
|
|
// This function is only for generating new repos based on existing template, the template couldn't be too large.
|
|
func GetTemplateSubmoduleCommits(ctx context.Context, repoPath string) (submoduleCommits []TemplateSubmoduleCommit, _ error) {
|
|
stdoutReader, stdoutWriter, err := os.Pipe()
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
err = gitcmd.NewCommand("ls-tree", "-r", "--", "HEAD").
|
|
WithDir(repoPath).
|
|
WithStdout(stdoutWriter).
|
|
WithPipelineFunc(func(ctx context.Context, cancel context.CancelFunc) error {
|
|
_ = stdoutWriter.Close()
|
|
defer stdoutReader.Close()
|
|
|
|
scanner := bufio.NewScanner(stdoutReader)
|
|
for scanner.Scan() {
|
|
entry, err := parseLsTreeLine(scanner.Bytes())
|
|
if err != nil {
|
|
cancel()
|
|
return err
|
|
}
|
|
if entry.EntryMode == EntryModeCommit {
|
|
submoduleCommits = append(submoduleCommits, TemplateSubmoduleCommit{Path: entry.Name, Commit: entry.ID.String()})
|
|
}
|
|
}
|
|
return scanner.Err()
|
|
}).
|
|
Run(ctx)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("GetTemplateSubmoduleCommits: error running git ls-tree: %v", err)
|
|
}
|
|
return submoduleCommits, nil
|
|
}
|
|
|
|
// AddTemplateSubmoduleIndexes Adds the given submodules to the git index.
|
|
// 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 := gitcmd.NewCommand("update-index", "--add", "--cacheinfo", "160000").AddDynamicArguments(submodule.Commit, submodule.Path)
|
|
if stdout, _, err := cmd.WithDir(repoPath).RunStdString(ctx); err != nil {
|
|
log.Error("Unable to add %s as submodule to repo %s: stdout %s\nError: %v", submodule.Path, repoPath, stdout, err)
|
|
return err
|
|
}
|
|
}
|
|
return nil
|
|
}
|