repo
stringlengths
6
47
file_url
stringlengths
77
269
file_path
stringlengths
5
186
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-07 08:35:43
2026-01-07 08:55:24
truncated
bool
2 classes
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/container_mock_test.go
pkg/runner/container_mock_test.go
package runner import ( "context" "io" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/stretchr/testify/mock" ) type containerMock struct { mock.Mock container.Container container.LinuxContainerEnvironmentExtensions } func (cm *containerMock) Create(capAdd []string, capDrop []string) common.Executor { args := cm.Called(capAdd, capDrop) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) Pull(forcePull bool) common.Executor { args := cm.Called(forcePull) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) Start(attach bool) common.Executor { args := cm.Called(attach) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) Remove() common.Executor { args := cm.Called() return args.Get(0).(func(context.Context) error) } func (cm *containerMock) Close() common.Executor { args := cm.Called() return args.Get(0).(func(context.Context) error) } func (cm *containerMock) UpdateFromEnv(srcPath string, env *map[string]string) common.Executor { args := cm.Called(srcPath, env) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) UpdateFromImageEnv(env *map[string]string) common.Executor { args := cm.Called(env) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) Copy(destPath string, files ...*container.FileEntry) common.Executor { args := cm.Called(destPath, files) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) CopyDir(destPath string, srcPath string, useGitIgnore bool) common.Executor { args := cm.Called(destPath, srcPath, useGitIgnore) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) Exec(command []string, env map[string]string, user, workdir string) common.Executor { args := cm.Called(command, env, user, workdir) return args.Get(0).(func(context.Context) error) } func (cm *containerMock) GetContainerArchive(ctx context.Context, srcPath string) (io.ReadCloser, error) { args := cm.Called(ctx, srcPath) err, hasErr := args.Get(1).(error) if !hasErr { err = nil } return args.Get(0).(io.ReadCloser), err }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/job_executor.go
pkg/runner/job_executor.go
package runner import ( "context" "fmt" "time" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/model" ) type jobInfo interface { matrix() map[string]interface{} steps() []*model.Step startContainer() common.Executor stopContainer() common.Executor closeContainer() common.Executor interpolateOutputs() common.Executor result(result string) } //nolint:contextcheck func newJobExecutor(info jobInfo, sf stepFactory, rc *RunContext) common.Executor { steps := make([]common.Executor, 0) preSteps := make([]common.Executor, 0) var postExecutor common.Executor steps = append(steps, func(ctx context.Context) error { logger := common.Logger(ctx) if len(info.matrix()) > 0 { logger.Infof("\U0001F9EA Matrix: %v", info.matrix()) } return nil }) infoSteps := info.steps() if len(infoSteps) == 0 { return common.NewDebugExecutor("No steps found") } preSteps = append(preSteps, func(ctx context.Context) error { // Have to be skipped for some Tests if rc.Run == nil { return nil } rc.ExprEval = rc.NewExpressionEvaluator(ctx) // evaluate environment variables since they can contain // GitHub's special environment variables. for k, v := range rc.GetEnv() { rc.Env[k] = rc.ExprEval.Interpolate(ctx, v) } return nil }) var setJobError = func(ctx context.Context, err error) error { if err == nil { return nil } logger := common.Logger(ctx) logger.Errorf("%v", err) common.SetJobError(ctx, err) return err } for i, stepModel := range infoSteps { if stepModel == nil { return func(_ context.Context) error { return fmt.Errorf("invalid Step %v: missing run or uses key", i) } } if stepModel.ID == "" { stepModel.ID = fmt.Sprintf("%d", i) } step, err := sf.newStep(stepModel, rc) if err != nil { return common.NewErrorExecutor(err) } preSteps = append(preSteps, useStepLogger(rc, stepModel, stepStagePre, step.pre().ThenError(setJobError))) stepExec := step.main() steps = append(steps, useStepLogger(rc, stepModel, stepStageMain, func(ctx context.Context) error { err := stepExec(ctx) if err != nil { _ = setJobError(ctx, err) } else if ctx.Err() != nil { _ = setJobError(ctx, ctx.Err()) } return nil })) postExec := useStepLogger(rc, stepModel, stepStagePost, step.post().ThenError(setJobError)) if postExecutor != nil { // run the post executor in reverse order postExecutor = postExec.Finally(postExecutor) } else { postExecutor = postExec } } var stopContainerExecutor common.Executor = func(ctx context.Context) error { jobError := common.JobError(ctx) var err error if rc.Config.AutoRemove || jobError == nil { // always allow 1 min for stopping and removing the runner, even if we were cancelled ctx, cancel := context.WithTimeout(common.WithLogger(context.Background(), common.Logger(ctx)), time.Minute) defer cancel() logger := common.Logger(ctx) logger.Infof("Cleaning up container for job %s", rc.JobName) if err = info.stopContainer()(ctx); err != nil { logger.Errorf("Error while stop job container: %v", err) } } return err } var setJobResultExecutor common.Executor = func(ctx context.Context) error { jobError := common.JobError(ctx) setJobResult(ctx, info, rc, jobError == nil) setJobOutputs(ctx, rc) return nil } pipeline := make([]common.Executor, 0) pipeline = append(pipeline, preSteps...) pipeline = append(pipeline, steps...) return common.NewPipelineExecutor( common.NewFieldExecutor("step", "Set up job", common.NewFieldExecutor("stepid", []string{"--setup-job"}, common.NewPipelineExecutor(common.NewInfoExecutor("\u2B50 Run Set up job"), info.startContainer(), rc.InitializeNodeTool()). Then(common.NewFieldExecutor("stepResult", model.StepStatusSuccess, common.NewInfoExecutor(" \u2705 Success - Set up job"))). ThenError(setJobError).OnError(common.NewFieldExecutor("stepResult", model.StepStatusFailure, common.NewInfoExecutor(" \u274C Failure - Set up job"))))), common.NewPipelineExecutor(pipeline...). Finally(func(ctx context.Context) error { //nolint:contextcheck var cancel context.CancelFunc if ctx.Err() == context.Canceled { // in case of an aborted run, we still should execute the // post steps to allow cleanup. ctx, cancel = context.WithTimeout(common.WithLogger(context.Background(), common.Logger(ctx)), 5*time.Minute) defer cancel() } return postExecutor(ctx) }). Finally(common.NewFieldExecutor("step", "Complete job", common.NewFieldExecutor("stepid", []string{"--complete-job"}, common.NewInfoExecutor("\u2B50 Run Complete job"). Finally(stopContainerExecutor). Finally( info.interpolateOutputs().Finally(info.closeContainer()).Then(common.NewFieldExecutor("stepResult", model.StepStatusSuccess, common.NewInfoExecutor(" \u2705 Success - Complete job"))). OnError(common.NewFieldExecutor("stepResult", model.StepStatusFailure, common.NewInfoExecutor(" \u274C Failure - Complete job"))), ))))).Finally(setJobResultExecutor) } func setJobResult(ctx context.Context, info jobInfo, rc *RunContext, success bool) { logger := common.Logger(ctx) jobResult := "success" // we have only one result for a whole matrix build, so we need // to keep an existing result state if we run a matrix if len(info.matrix()) > 0 && rc.Run.Job().Result != "" { jobResult = rc.Run.Job().Result } if !success { jobResult = "failure" } info.result(jobResult) if rc.caller != nil { // set reusable workflow job result rc.caller.runContext.result(jobResult) } jobResultMessage := "succeeded" if jobResult != "success" { jobResultMessage = "failed" } logger.WithField("jobResult", jobResult).Infof("\U0001F3C1 Job %s", jobResultMessage) } func setJobOutputs(ctx context.Context, rc *RunContext) { if rc.caller != nil { // map outputs for reusable workflows callerOutputs := make(map[string]string) ee := rc.NewExpressionEvaluator(ctx) for k, v := range rc.Run.Workflow.WorkflowCallConfig().Outputs { callerOutputs[k] = ee.Interpolate(ctx, ee.Interpolate(ctx, v.Value)) } rc.caller.runContext.Run.Job().Outputs = callerOutputs } } func useStepLogger(rc *RunContext, stepModel *model.Step, stage stepStage, executor common.Executor) common.Executor { return func(ctx context.Context) error { ctx = withStepLogger(ctx, stepModel.ID, rc.ExprEval.Interpolate(ctx, stepModel.String()), stage.String()) rawLogger := common.Logger(ctx).WithField("raw_output", true) logWriter := common.NewLineWriter(rc.commandHandler(ctx), func(s string) bool { if rc.Config.LogOutput { rawLogger.Infof("%s", s) } else { rawLogger.Debugf("%s", s) } return true }) oldout, olderr := rc.JobContainer.ReplaceLogWriter(logWriter, logWriter) defer rc.JobContainer.ReplaceLogWriter(oldout, olderr) return executor(ctx) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/runner.go
pkg/runner/runner.go
package runner import ( "context" "encoding/json" "fmt" "os" "runtime" docker_container "github.com/docker/docker/api/types/container" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/model" log "github.com/sirupsen/logrus" ) // Runner provides capabilities to run GitHub actions type Runner interface { NewPlanExecutor(plan *model.Plan) common.Executor } // Config contains the config for a new runner type Config struct { Actor string // the user that triggered the event Workdir string // path to working directory ActionCacheDir string // path used for caching action contents ActionOfflineMode bool // when offline, use caching action contents BindWorkdir bool // bind the workdir to the job container EventName string // name of event to run EventPath string // path to JSON file to use for event.json in containers DefaultBranch string // name of the main branch for this repository ReuseContainers bool // reuse containers to maintain state ForcePull bool // force pulling of the image, even if already present ForceRebuild bool // force rebuilding local docker image action LogOutput bool // log the output from docker run JSONLogger bool // use json or text logger LogPrefixJobID bool // switches from the full job name to the job id Env map[string]string // env for containers Inputs map[string]string // manually passed action inputs Secrets map[string]string // list of secrets Vars map[string]string // list of vars Token string // GitHub token InsecureSecrets bool // switch hiding output when printing to terminal Platforms map[string]string // list of platforms Privileged bool // use privileged mode UsernsMode string // user namespace to use ContainerArchitecture string // Desired OS/architecture platform for running containers ContainerDaemonSocket string // Path to Docker daemon socket ContainerOptions string // Options for the job container UseGitIgnore bool // controls if paths in .gitignore should not be copied into container, default true GitHubInstance string // GitHub instance to use, default "github.com" ContainerCapAdd []string // list of kernel capabilities to add to the containers ContainerCapDrop []string // list of kernel capabilities to remove from the containers AutoRemove bool // controls if the container is automatically removed upon workflow completion ArtifactServerPath string // the path where the artifact server stores uploads ArtifactServerAddr string // the address the artifact server binds to ArtifactServerPort string // the port the artifact server binds to NoSkipCheckout bool // do not skip actions/checkout RemoteName string // remote name in local git repo config ReplaceGheActionWithGithubCom []string // Use actions from GitHub Enterprise instance to GitHub ReplaceGheActionTokenWithGithubCom string // Token of private action repo on GitHub. Matrix map[string]map[string]bool // Matrix config to run ContainerNetworkMode docker_container.NetworkMode // the network mode of job containers (the value of --network) ActionCache ActionCache // Use a custom ActionCache Implementation ConcurrentJobs int // Number of max concurrent jobs } func (config *Config) GetConcurrentJobs() int { if config.ConcurrentJobs >= 1 { return config.ConcurrentJobs } ncpu := runtime.NumCPU() log.Debugf("Detected CPUs: %d", ncpu) if ncpu > 1 { return ncpu } return 1 } type caller struct { runContext *RunContext } type runnerImpl struct { config *Config eventJSON string caller *caller // the job calling this runner (caller of a reusable workflow) } // New Creates a new Runner func New(runnerConfig *Config) (Runner, error) { runner := &runnerImpl{ config: runnerConfig, } return runner.configure() } func (runner *runnerImpl) configure() (Runner, error) { runner.eventJSON = "{}" if runner.config.EventPath != "" { log.Debugf("Reading event.json from %s", runner.config.EventPath) eventJSONBytes, err := os.ReadFile(runner.config.EventPath) if err != nil { return nil, err } runner.eventJSON = string(eventJSONBytes) } else if len(runner.config.Inputs) != 0 { eventMap := map[string]map[string]string{ "inputs": runner.config.Inputs, } eventJSON, err := json.Marshal(eventMap) if err != nil { return nil, err } runner.eventJSON = string(eventJSON) } return runner, nil } // NewPlanExecutor ... func (runner *runnerImpl) NewPlanExecutor(plan *model.Plan) common.Executor { maxJobNameLen := 0 stagePipeline := make([]common.Executor, 0) log.Debugf("Plan Stages: %v", plan.Stages) for i := range plan.Stages { stage := plan.Stages[i] stagePipeline = append(stagePipeline, func(ctx context.Context) error { pipeline := make([]common.Executor, 0) for _, run := range stage.Runs { log.Debugf("Stages Runs: %v", stage.Runs) stageExecutor := make([]common.Executor, 0) job := run.Job() log.Debugf("Job.Name: %v", job.Name) log.Debugf("Job.RawNeeds: %v", job.RawNeeds) log.Debugf("Job.RawRunsOn: %v", job.RawRunsOn) log.Debugf("Job.Env: %v", job.Env) log.Debugf("Job.If: %v", job.If) for step := range job.Steps { if nil != job.Steps[step] { log.Debugf("Job.Steps: %v", job.Steps[step].String()) } } log.Debugf("Job.TimeoutMinutes: %v", job.TimeoutMinutes) log.Debugf("Job.Services: %v", job.Services) log.Debugf("Job.Strategy: %v", job.Strategy) log.Debugf("Job.RawContainer: %v", job.RawContainer) log.Debugf("Job.Defaults.Run.Shell: %v", job.Defaults.Run.Shell) log.Debugf("Job.Defaults.Run.WorkingDirectory: %v", job.Defaults.Run.WorkingDirectory) log.Debugf("Job.Outputs: %v", job.Outputs) log.Debugf("Job.Uses: %v", job.Uses) log.Debugf("Job.With: %v", job.With) // log.Debugf("Job.RawSecrets: %v", job.RawSecrets) log.Debugf("Job.Result: %v", job.Result) if job.Strategy != nil { log.Debugf("Job.Strategy.FailFast: %v", job.Strategy.FailFast) log.Debugf("Job.Strategy.MaxParallel: %v", job.Strategy.MaxParallel) log.Debugf("Job.Strategy.FailFastString: %v", job.Strategy.FailFastString) log.Debugf("Job.Strategy.MaxParallelString: %v", job.Strategy.MaxParallelString) log.Debugf("Job.Strategy.RawMatrix: %v", job.Strategy.RawMatrix) strategyRc := runner.newRunContext(ctx, run, nil) if err := strategyRc.NewExpressionEvaluator(ctx).EvaluateYamlNode(ctx, &job.Strategy.RawMatrix); err != nil { log.Errorf("Error while evaluating matrix: %v", err) } } var matrixes []map[string]interface{} if m, err := job.GetMatrixes(); err != nil { log.Errorf("Error while get job's matrix: %v", err) } else { log.Debugf("Job Matrices: %v", m) log.Debugf("Runner Matrices: %v", runner.config.Matrix) matrixes = selectMatrixes(m, runner.config.Matrix) } log.Debugf("Final matrix after applying user inclusions '%v'", matrixes) maxParallel := 4 if job.Strategy != nil { maxParallel = job.Strategy.MaxParallel } if len(matrixes) < maxParallel { maxParallel = len(matrixes) } for i, matrix := range matrixes { rc := runner.newRunContext(ctx, run, matrix) rc.JobName = rc.Name if len(matrixes) > 1 { rc.Name = fmt.Sprintf("%s-%d", rc.Name, i+1) } if len(rc.String()) > maxJobNameLen { maxJobNameLen = len(rc.String()) } stageExecutor = append(stageExecutor, func(ctx context.Context) error { jobName := fmt.Sprintf("%-*s", maxJobNameLen, rc.String()) executor, err := rc.Executor() if err != nil { return err } return executor(common.WithJobErrorContainer(WithJobLogger(ctx, rc.Run.JobID, jobName, rc.Config, &rc.Masks, matrix))) }) } pipeline = append(pipeline, common.NewParallelExecutor(maxParallel, stageExecutor...)) } log.Debugf("PlanExecutor concurrency: %d", runner.config.GetConcurrentJobs()) return common.NewParallelExecutor(runner.config.GetConcurrentJobs(), pipeline...)(ctx) }) } return common.NewPipelineExecutor(stagePipeline...).Then(handleFailure(plan)) } func handleFailure(plan *model.Plan) common.Executor { return func(_ context.Context) error { for _, stage := range plan.Stages { for _, run := range stage.Runs { if run.Job().Result == "failure" { return fmt.Errorf("Job '%s' failed", run.String()) } } } return nil } } func selectMatrixes(originalMatrixes []map[string]interface{}, targetMatrixValues map[string]map[string]bool) []map[string]interface{} { matrixes := make([]map[string]interface{}, 0) for _, original := range originalMatrixes { flag := true for key, val := range original { if allowedVals, ok := targetMatrixValues[key]; ok { valToString := fmt.Sprintf("%v", val) if _, ok := allowedVals[valToString]; !ok { flag = false } } } if flag { matrixes = append(matrixes, original) } } return matrixes } func (runner *runnerImpl) newRunContext(ctx context.Context, run *model.Run, matrix map[string]interface{}) *RunContext { rc := &RunContext{ Config: runner.config, Run: run, EventJSON: runner.eventJSON, StepResults: make(map[string]*model.StepResult), Matrix: matrix, caller: runner.caller, } rc.ExprEval = rc.NewExpressionEvaluator(ctx) rc.Name = rc.ExprEval.Interpolate(ctx, run.String()) return rc }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step_docker.go
pkg/runner/step_docker.go
package runner import ( "context" "fmt" "strings" "github.com/kballard/go-shellquote" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/model" ) type stepDocker struct { Step *model.Step RunContext *RunContext env map[string]string } func (sd *stepDocker) pre() common.Executor { return func(_ context.Context) error { return nil } } func (sd *stepDocker) main() common.Executor { sd.env = map[string]string{} return runStepExecutor(sd, stepStageMain, sd.runUsesContainer()) } func (sd *stepDocker) post() common.Executor { return func(_ context.Context) error { return nil } } func (sd *stepDocker) getRunContext() *RunContext { return sd.RunContext } func (sd *stepDocker) getGithubContext(ctx context.Context) *model.GithubContext { return sd.getRunContext().getGithubContext(ctx) } func (sd *stepDocker) getStepModel() *model.Step { return sd.Step } func (sd *stepDocker) getEnv() *map[string]string { return &sd.env } func (sd *stepDocker) getIfExpression(_ context.Context, _ stepStage) string { return sd.Step.If.Value } func (sd *stepDocker) runUsesContainer() common.Executor { rc := sd.RunContext step := sd.Step return func(ctx context.Context) error { image := strings.TrimPrefix(step.Uses, "docker://") eval := rc.NewExpressionEvaluator(ctx) cmd, err := shellquote.Split(eval.Interpolate(ctx, step.With["args"])) if err != nil { return err } var entrypoint []string if entry := eval.Interpolate(ctx, step.With["entrypoint"]); entry != "" { entrypoint = []string{entry} } stepContainer := sd.newStepContainer(ctx, image, cmd, entrypoint) return common.NewPipelineExecutor( stepContainer.Pull(rc.Config.ForcePull), stepContainer.Remove().IfBool(!rc.Config.ReuseContainers), stepContainer.Create(rc.Config.ContainerCapAdd, rc.Config.ContainerCapDrop), stepContainer.Start(true), ).Finally( stepContainer.Remove().IfBool(!rc.Config.ReuseContainers), ).Finally(stepContainer.Close())(ctx) } } var ( ContainerNewContainer = container.NewContainer ) func (sd *stepDocker) newStepContainer(ctx context.Context, image string, cmd []string, entrypoint []string) container.Container { rc := sd.RunContext step := sd.Step rawLogger := common.Logger(ctx).WithField("raw_output", true) logWriter := common.NewLineWriter(rc.commandHandler(ctx), func(s string) bool { if rc.Config.LogOutput { rawLogger.Infof("%s", s) } else { rawLogger.Debugf("%s", s) } return true }) envList := make([]string, 0) for k, v := range sd.env { envList = append(envList, fmt.Sprintf("%s=%s", k, v)) } envList = append(envList, fmt.Sprintf("%s=%s", "RUNNER_TOOL_CACHE", "/opt/hostedtoolcache")) envList = append(envList, fmt.Sprintf("%s=%s", "RUNNER_OS", "Linux")) envList = append(envList, fmt.Sprintf("%s=%s", "RUNNER_ARCH", container.RunnerArch(ctx))) envList = append(envList, fmt.Sprintf("%s=%s", "RUNNER_TEMP", "/tmp")) binds, mounts := rc.GetBindsAndMounts() stepContainer := ContainerNewContainer(&container.NewContainerInput{ Cmd: cmd, Entrypoint: entrypoint, WorkingDir: rc.JobContainer.ToContainerPath(rc.Config.Workdir), Image: image, Username: rc.Config.Secrets["DOCKER_USERNAME"], Password: rc.Config.Secrets["DOCKER_PASSWORD"], Name: createContainerName(rc.jobContainerName(), step.ID), Env: envList, Mounts: mounts, NetworkMode: fmt.Sprintf("container:%s", rc.jobContainerName()), Binds: binds, Stdout: logWriter, Stderr: logWriter, Privileged: rc.Config.Privileged, UsernsMode: rc.Config.UsernsMode, Platform: rc.Config.ContainerArchitecture, }) return stepContainer }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/expression.go
pkg/runner/expression.go
package runner import ( "bytes" "context" "fmt" "path" "reflect" "regexp" "strings" "time" _ "embed" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/exprparser" "github.com/nektos/act/pkg/model" "gopkg.in/yaml.v3" ) // ExpressionEvaluator is the interface for evaluating expressions type ExpressionEvaluator interface { evaluate(context.Context, string, exprparser.DefaultStatusCheck) (interface{}, error) EvaluateYamlNode(context.Context, *yaml.Node) error Interpolate(context.Context, string) string } // NewExpressionEvaluator creates a new evaluator func (rc *RunContext) NewExpressionEvaluator(ctx context.Context) ExpressionEvaluator { return rc.NewExpressionEvaluatorWithEnv(ctx, rc.GetEnv()) } func (rc *RunContext) NewExpressionEvaluatorWithEnv(ctx context.Context, env map[string]string) ExpressionEvaluator { var workflowCallResult map[string]*model.WorkflowCallResult // todo: cleanup EvaluationEnvironment creation using := make(map[string]exprparser.Needs) strategy := make(map[string]interface{}) if rc.Run != nil { job := rc.Run.Job() if job != nil && job.Strategy != nil { strategy["fail-fast"] = job.Strategy.FailFast strategy["max-parallel"] = job.Strategy.MaxParallel } jobs := rc.Run.Workflow.Jobs jobNeeds := rc.Run.Job().Needs() for _, needs := range jobNeeds { using[needs] = exprparser.Needs{ Outputs: jobs[needs].Outputs, Result: jobs[needs].Result, } } // only setup jobs context in case of workflow_call // and existing expression evaluator (this means, jobs are at // least ready to run) if rc.caller != nil && rc.ExprEval != nil { workflowCallResult = map[string]*model.WorkflowCallResult{} for jobName, job := range jobs { result := model.WorkflowCallResult{ Outputs: map[string]string{}, } for k, v := range job.Outputs { result.Outputs[k] = v } workflowCallResult[jobName] = &result } } } ghc := rc.getGithubContext(ctx) inputs := getEvaluatorInputs(ctx, rc, nil, ghc) ee := &exprparser.EvaluationEnvironment{ Github: ghc, Env: env, Job: rc.getJobContext(), Jobs: &workflowCallResult, // todo: should be unavailable // but required to interpolate/evaluate the step outputs on the job Steps: rc.getStepsContext(), Secrets: getWorkflowSecrets(ctx, rc), Vars: getWorkflowVars(ctx, rc), Strategy: strategy, Matrix: rc.Matrix, Needs: using, Inputs: inputs, HashFiles: getHashFilesFunction(ctx, rc), } if rc.JobContainer != nil { ee.Runner = rc.JobContainer.GetRunnerContext(ctx) } return expressionEvaluator{ interpreter: exprparser.NewInterpeter(ee, exprparser.Config{ Run: rc.Run, WorkingDir: rc.Config.Workdir, Context: "job", }), } } //go:embed hashfiles/index.js var hashfiles string // NewStepExpressionEvaluator creates a new evaluator func (rc *RunContext) NewStepExpressionEvaluator(ctx context.Context, step step) ExpressionEvaluator { return rc.NewStepExpressionEvaluatorExt(ctx, step, false) } // NewStepExpressionEvaluatorExt creates a new evaluator func (rc *RunContext) NewStepExpressionEvaluatorExt(ctx context.Context, step step, rcInputs bool) ExpressionEvaluator { ghc := rc.getGithubContext(ctx) if rcInputs { return rc.newStepExpressionEvaluator(ctx, step, ghc, getEvaluatorInputs(ctx, rc, nil, ghc)) } return rc.newStepExpressionEvaluator(ctx, step, ghc, getEvaluatorInputs(ctx, rc, step, ghc)) } func (rc *RunContext) newStepExpressionEvaluator(ctx context.Context, step step, _ *model.GithubContext, inputs map[string]interface{}) ExpressionEvaluator { // todo: cleanup EvaluationEnvironment creation job := rc.Run.Job() strategy := make(map[string]interface{}) if job.Strategy != nil { strategy["fail-fast"] = job.Strategy.FailFast strategy["max-parallel"] = job.Strategy.MaxParallel } jobs := rc.Run.Workflow.Jobs jobNeeds := rc.Run.Job().Needs() using := make(map[string]exprparser.Needs) for _, needs := range jobNeeds { using[needs] = exprparser.Needs{ Outputs: jobs[needs].Outputs, Result: jobs[needs].Result, } } ee := &exprparser.EvaluationEnvironment{ Github: step.getGithubContext(ctx), Env: *step.getEnv(), Job: rc.getJobContext(), Steps: rc.getStepsContext(), Secrets: getWorkflowSecrets(ctx, rc), Vars: getWorkflowVars(ctx, rc), Strategy: strategy, Matrix: rc.Matrix, Needs: using, // todo: should be unavailable // but required to interpolate/evaluate the inputs in actions/composite Inputs: inputs, HashFiles: getHashFilesFunction(ctx, rc), } if rc.JobContainer != nil { ee.Runner = rc.JobContainer.GetRunnerContext(ctx) } return expressionEvaluator{ interpreter: exprparser.NewInterpeter(ee, exprparser.Config{ Run: rc.Run, WorkingDir: rc.Config.Workdir, Context: "step", }), } } func getHashFilesFunction(ctx context.Context, rc *RunContext) func(v []reflect.Value) (interface{}, error) { hashFiles := func(v []reflect.Value) (interface{}, error) { if rc.JobContainer != nil { timeed, cancel := context.WithTimeout(ctx, time.Minute) defer cancel() name := "workflow/hashfiles/index.js" hout := &bytes.Buffer{} herr := &bytes.Buffer{} patterns := []string{} followSymlink := false for i, p := range v { s := p.String() if i == 0 { if strings.HasPrefix(s, "--") { if strings.EqualFold(s, "--follow-symbolic-links") { followSymlink = true continue } return "", fmt.Errorf("Invalid glob option %s, available option: '--follow-symbolic-links'", s) } } patterns = append(patterns, s) } env := map[string]string{} for k, v := range rc.Env { env[k] = v } env["patterns"] = strings.Join(patterns, "\n") if followSymlink { env["followSymbolicLinks"] = "true" } stdout, stderr := rc.JobContainer.ReplaceLogWriter(hout, herr) _ = rc.JobContainer.Copy(rc.JobContainer.GetActPath(), &container.FileEntry{ Name: name, Mode: 0o644, Body: hashfiles, }). Then(rc.execJobContainer([]string{rc.GetNodeToolFullPath(ctx), path.Join(rc.JobContainer.GetActPath(), name)}, env, "", "")). Finally(func(context.Context) error { rc.JobContainer.ReplaceLogWriter(stdout, stderr) return nil })(timeed) output := hout.String() + "\n" + herr.String() guard := "__OUTPUT__" outstart := strings.Index(output, guard) if outstart != -1 { outstart += len(guard) outend := strings.Index(output[outstart:], guard) if outend != -1 { return output[outstart : outstart+outend], nil } } } return "", nil } return hashFiles } type expressionEvaluator struct { interpreter exprparser.Interpreter } func (ee expressionEvaluator) evaluate(ctx context.Context, in string, defaultStatusCheck exprparser.DefaultStatusCheck) (interface{}, error) { logger := common.Logger(ctx) logger.Debugf("evaluating expression '%s'", in) evaluated, err := ee.interpreter.Evaluate(in, defaultStatusCheck) printable := regexp.MustCompile(`::add-mask::.*`).ReplaceAllString(fmt.Sprintf("%t", evaluated), "::add-mask::***)") logger.Debugf("expression '%s' evaluated to '%s'", in, printable) return evaluated, err } func (ee expressionEvaluator) evaluateScalarYamlNode(ctx context.Context, node *yaml.Node) (*yaml.Node, error) { var in string if err := node.Decode(&in); err != nil { return nil, err } if !strings.Contains(in, "${{") || !strings.Contains(in, "}}") { return nil, nil } expr, _ := rewriteSubExpression(ctx, in, false) res, err := ee.evaluate(ctx, expr, exprparser.DefaultStatusCheckNone) if err != nil { return nil, err } ret := &yaml.Node{} if err := ret.Encode(res); err != nil { return nil, err } return ret, err } func (ee expressionEvaluator) evaluateMappingYamlNode(ctx context.Context, node *yaml.Node) (*yaml.Node, error) { var ret *yaml.Node // GitHub has this undocumented feature to merge maps, called insert directive insertDirective := regexp.MustCompile(`\${{\s*insert\s*}}`) for i := 0; i < len(node.Content)/2; i++ { changed := func() error { if ret == nil { ret = &yaml.Node{} if err := ret.Encode(node); err != nil { return err } ret.Content = ret.Content[:i*2] } return nil } k := node.Content[i*2] v := node.Content[i*2+1] ev, err := ee.evaluateYamlNodeInternal(ctx, v) if err != nil { return nil, err } if ev != nil { if err := changed(); err != nil { return nil, err } } else { ev = v } var sk string // Merge the nested map of the insert directive if k.Decode(&sk) == nil && insertDirective.MatchString(sk) { if ev.Kind != yaml.MappingNode { return nil, fmt.Errorf("failed to insert node %v into mapping %v unexpected type %v expected MappingNode", ev, node, ev.Kind) } if err := changed(); err != nil { return nil, err } ret.Content = append(ret.Content, ev.Content...) } else { ek, err := ee.evaluateYamlNodeInternal(ctx, k) if err != nil { return nil, err } if ek != nil { if err := changed(); err != nil { return nil, err } } else { ek = k } if ret != nil { ret.Content = append(ret.Content, ek, ev) } } } return ret, nil } func (ee expressionEvaluator) evaluateSequenceYamlNode(ctx context.Context, node *yaml.Node) (*yaml.Node, error) { var ret *yaml.Node for i := 0; i < len(node.Content); i++ { v := node.Content[i] // Preserve nested sequences wasseq := v.Kind == yaml.SequenceNode ev, err := ee.evaluateYamlNodeInternal(ctx, v) if err != nil { return nil, err } if ev != nil { if ret == nil { ret = &yaml.Node{} if err := ret.Encode(node); err != nil { return nil, err } ret.Content = ret.Content[:i] } // GitHub has this undocumented feature to merge sequences / arrays // We have a nested sequence via evaluation, merge the arrays if ev.Kind == yaml.SequenceNode && !wasseq { ret.Content = append(ret.Content, ev.Content...) } else { ret.Content = append(ret.Content, ev) } } else if ret != nil { ret.Content = append(ret.Content, v) } } return ret, nil } func (ee expressionEvaluator) evaluateYamlNodeInternal(ctx context.Context, node *yaml.Node) (*yaml.Node, error) { switch node.Kind { case yaml.ScalarNode: return ee.evaluateScalarYamlNode(ctx, node) case yaml.MappingNode: return ee.evaluateMappingYamlNode(ctx, node) case yaml.SequenceNode: return ee.evaluateSequenceYamlNode(ctx, node) default: return nil, nil } } func (ee expressionEvaluator) EvaluateYamlNode(ctx context.Context, node *yaml.Node) error { ret, err := ee.evaluateYamlNodeInternal(ctx, node) if err != nil { return err } if ret != nil { return ret.Decode(node) } return nil } func (ee expressionEvaluator) Interpolate(ctx context.Context, in string) string { if !strings.Contains(in, "${{") || !strings.Contains(in, "}}") { return in } expr, _ := rewriteSubExpression(ctx, in, true) evaluated, err := ee.evaluate(ctx, expr, exprparser.DefaultStatusCheckNone) if err != nil { common.Logger(ctx).Errorf("Unable to interpolate expression '%s': %s", expr, err) return "" } value, ok := evaluated.(string) if !ok { panic(fmt.Sprintf("Expression %s did not evaluate to a string", expr)) } return value } // EvalBool evaluates an expression against given evaluator func EvalBool(ctx context.Context, evaluator ExpressionEvaluator, expr string, defaultStatusCheck exprparser.DefaultStatusCheck) (bool, error) { nextExpr, _ := rewriteSubExpression(ctx, expr, false) evaluated, err := evaluator.evaluate(ctx, nextExpr, defaultStatusCheck) if err != nil { return false, err } return exprparser.IsTruthy(evaluated), nil } func escapeFormatString(in string) string { return strings.ReplaceAll(strings.ReplaceAll(in, "{", "{{"), "}", "}}") } func rewriteSubExpression(ctx context.Context, in string, forceFormat bool) (string, error) { if !strings.Contains(in, "${{") || !strings.Contains(in, "}}") { return in, nil } strPattern := regexp.MustCompile("(?:''|[^'])*'") pos := 0 exprStart := -1 strStart := -1 var results []string formatOut := "" for pos < len(in) { if strStart > -1 { matches := strPattern.FindStringIndex(in[pos:]) if matches == nil { panic("unclosed string.") } strStart = -1 pos += matches[1] } else if exprStart > -1 { exprEnd := strings.Index(in[pos:], "}}") strStart = strings.Index(in[pos:], "'") if exprEnd > -1 && strStart > -1 { if exprEnd < strStart { strStart = -1 } else { exprEnd = -1 } } if exprEnd > -1 { formatOut += fmt.Sprintf("{%d}", len(results)) results = append(results, strings.TrimSpace(in[exprStart:pos+exprEnd])) pos += exprEnd + 2 exprStart = -1 } else if strStart > -1 { pos += strStart + 1 } else { panic("unclosed expression.") } } else { exprStart = strings.Index(in[pos:], "${{") if exprStart != -1 { formatOut += escapeFormatString(in[pos : pos+exprStart]) exprStart = pos + exprStart + 3 pos = exprStart } else { formatOut += escapeFormatString(in[pos:]) pos = len(in) } } } if len(results) == 1 && formatOut == "{0}" && !forceFormat { return in, nil } out := fmt.Sprintf("format('%s', %s)", strings.ReplaceAll(formatOut, "'", "''"), strings.Join(results, ", ")) if in != out { common.Logger(ctx).Debugf("expression '%s' rewritten to '%s'", in, out) } return out, nil } func getEvaluatorInputs(ctx context.Context, rc *RunContext, step step, ghc *model.GithubContext) map[string]interface{} { inputs := map[string]interface{}{} setupWorkflowInputs(ctx, &inputs, rc) var env map[string]string if step != nil { env = *step.getEnv() } else { env = rc.GetEnv() } for k, v := range env { if strings.HasPrefix(k, "INPUT_") { inputs[strings.ToLower(strings.TrimPrefix(k, "INPUT_"))] = v } } if rc.caller == nil && ghc.EventName == "workflow_dispatch" { config := rc.Run.Workflow.WorkflowDispatchConfig() if config != nil && config.Inputs != nil { for k, v := range config.Inputs { value := nestedMapLookup(ghc.Event, "inputs", k) if value == nil { value = v.Default } if v.Type == "boolean" { inputs[k] = value == "true" } else { inputs[k] = value } } } } if ghc.EventName == "workflow_call" { config := rc.Run.Workflow.WorkflowCallConfig() if config != nil && config.Inputs != nil { for k, v := range config.Inputs { value := nestedMapLookup(ghc.Event, "inputs", k) if value == nil { if err := v.Default.Decode(&value); err != nil { common.Logger(ctx).Debugf("error decoding default value for %s: %v", k, err) } } if v.Type == "boolean" { inputs[k] = value == "true" } else { inputs[k] = value } } } } return inputs } func setupWorkflowInputs(ctx context.Context, inputs *map[string]interface{}, rc *RunContext) { if rc.caller != nil { config := rc.Run.Workflow.WorkflowCallConfig() for name, input := range config.Inputs { value := rc.caller.runContext.Run.Job().With[name] if value != nil { node := yaml.Node{} _ = node.Encode(value) if rc.caller.runContext.ExprEval != nil { // evaluate using the calling RunContext (outside) _ = rc.caller.runContext.ExprEval.EvaluateYamlNode(ctx, &node) } _ = node.Decode(&value) } if value == nil && config != nil && config.Inputs != nil { def := input.Default if rc.ExprEval != nil { // evaluate using the called RunContext (inside) _ = rc.ExprEval.EvaluateYamlNode(ctx, &def) } _ = def.Decode(&value) } (*inputs)[name] = value } } } func getWorkflowSecrets(ctx context.Context, rc *RunContext) map[string]string { if rc.caller != nil { job := rc.caller.runContext.Run.Job() secrets := job.Secrets() if secrets == nil && job.InheritSecrets() { secrets = rc.caller.runContext.Config.Secrets } if secrets == nil { secrets = map[string]string{} } for k, v := range secrets { secrets[k] = rc.caller.runContext.ExprEval.Interpolate(ctx, v) } return secrets } return rc.Config.Secrets } func getWorkflowVars(_ context.Context, rc *RunContext) map[string]string { return rc.Config.Vars }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/run_context_test.go
pkg/runner/run_context_test.go
package runner import ( "context" "fmt" "os" "regexp" "runtime" "sort" "strings" "testing" "github.com/golang-jwt/jwt/v5" "github.com/nektos/act/pkg/exprparser" "github.com/nektos/act/pkg/model" log "github.com/sirupsen/logrus" assert "github.com/stretchr/testify/assert" yaml "gopkg.in/yaml.v3" ) func TestRunContext_EvalBool(t *testing.T) { var yml yaml.Node err := yml.Encode(map[string][]interface{}{ "os": {"Linux", "Windows"}, "foo": {"bar", "baz"}, }) assert.NoError(t, err) rc := &RunContext{ Config: &Config{ Workdir: ".", }, Env: map[string]string{ "SOMETHING_TRUE": "true", "SOMETHING_FALSE": "false", "SOME_TEXT": "text", }, Run: &model.Run{ JobID: "job1", Workflow: &model.Workflow{ Name: "test-workflow", Jobs: map[string]*model.Job{ "job1": { Strategy: &model.Strategy{ RawMatrix: yml, }, }, }, }, }, Matrix: map[string]interface{}{ "os": "Linux", "foo": "bar", }, StepResults: map[string]*model.StepResult{ "id1": { Conclusion: model.StepStatusSuccess, Outcome: model.StepStatusFailure, Outputs: map[string]string{ "foo": "bar", }, }, }, } rc.ExprEval = rc.NewExpressionEvaluator(context.Background()) tables := []struct { in string out bool wantErr bool }{ // The basic ones {in: "failure()", out: false}, {in: "success()", out: true}, {in: "cancelled()", out: false}, {in: "always()", out: true}, // TODO: move to sc.NewExpressionEvaluator(), because "steps" context is not available here // {in: "steps.id1.conclusion == 'success'", out: true}, // {in: "steps.id1.conclusion != 'success'", out: false}, // {in: "steps.id1.outcome == 'failure'", out: true}, // {in: "steps.id1.outcome != 'failure'", out: false}, {in: "true", out: true}, {in: "false", out: false}, // TODO: This does not throw an error, because the evaluator does not know if the expression is inside ${{ }} or not // {in: "!true", wantErr: true}, // {in: "!false", wantErr: true}, {in: "1 != 0", out: true}, {in: "1 != 1", out: false}, {in: "${{ 1 != 0 }}", out: true}, {in: "${{ 1 != 1 }}", out: false}, {in: "1 == 0", out: false}, {in: "1 == 1", out: true}, {in: "1 > 2", out: false}, {in: "1 < 2", out: true}, // And or {in: "true && false", out: false}, {in: "true && 1 < 2", out: true}, {in: "false || 1 < 2", out: true}, {in: "false || false", out: false}, // None boolable {in: "env.UNKNOWN == 'true'", out: false}, {in: "env.UNKNOWN", out: false}, // Inline expressions {in: "env.SOME_TEXT", out: true}, {in: "env.SOME_TEXT == 'text'", out: true}, {in: "env.SOMETHING_TRUE == 'true'", out: true}, {in: "env.SOMETHING_FALSE == 'true'", out: false}, {in: "env.SOMETHING_TRUE", out: true}, {in: "env.SOMETHING_FALSE", out: true}, // TODO: This does not throw an error, because the evaluator does not know if the expression is inside ${{ }} or not // {in: "!env.SOMETHING_TRUE", wantErr: true}, // {in: "!env.SOMETHING_FALSE", wantErr: true}, {in: "${{ !env.SOMETHING_TRUE }}", out: false}, {in: "${{ !env.SOMETHING_FALSE }}", out: false}, {in: "${{ ! env.SOMETHING_TRUE }}", out: false}, {in: "${{ ! env.SOMETHING_FALSE }}", out: false}, {in: "${{ env.SOMETHING_TRUE }}", out: true}, {in: "${{ env.SOMETHING_FALSE }}", out: true}, {in: "${{ !env.SOMETHING_TRUE }}", out: false}, {in: "${{ !env.SOMETHING_FALSE }}", out: false}, {in: "${{ !env.SOMETHING_TRUE && true }}", out: false}, {in: "${{ !env.SOMETHING_FALSE && true }}", out: false}, {in: "${{ !env.SOMETHING_TRUE || true }}", out: true}, {in: "${{ !env.SOMETHING_FALSE || false }}", out: false}, {in: "${{ env.SOMETHING_TRUE && true }}", out: true}, {in: "${{ env.SOMETHING_FALSE || true }}", out: true}, {in: "${{ env.SOMETHING_FALSE || false }}", out: true}, // TODO: This does not throw an error, because the evaluator does not know if the expression is inside ${{ }} or not // {in: "!env.SOMETHING_TRUE || true", wantErr: true}, {in: "${{ env.SOMETHING_TRUE == 'true'}}", out: true}, {in: "${{ env.SOMETHING_FALSE == 'true'}}", out: false}, {in: "${{ env.SOMETHING_FALSE == 'false'}}", out: true}, {in: "${{ env.SOMETHING_FALSE }} && ${{ env.SOMETHING_TRUE }}", out: true}, // All together now {in: "false || env.SOMETHING_TRUE == 'true'", out: true}, {in: "true || env.SOMETHING_FALSE == 'true'", out: true}, {in: "true && env.SOMETHING_TRUE == 'true'", out: true}, {in: "false && env.SOMETHING_TRUE == 'true'", out: false}, {in: "env.SOMETHING_FALSE == 'true' && env.SOMETHING_TRUE == 'true'", out: false}, {in: "env.SOMETHING_FALSE == 'true' && true", out: false}, {in: "${{ env.SOMETHING_FALSE == 'true' }} && true", out: true}, {in: "true && ${{ env.SOMETHING_FALSE == 'true' }}", out: true}, // Check github context {in: "github.actor == 'nektos/act'", out: true}, {in: "github.actor == 'unknown'", out: false}, {in: "github.job == 'job1'", out: true}, // The special ACT flag {in: "${{ env.ACT }}", out: true}, {in: "${{ !env.ACT }}", out: false}, // Invalid expressions should be reported {in: "INVALID_EXPRESSION", wantErr: true}, } updateTestIfWorkflow(t, tables, rc) for _, table := range tables { t.Run(table.in, func(t *testing.T) { assertObject := assert.New(t) b, err := EvalBool(context.Background(), rc.ExprEval, table.in, exprparser.DefaultStatusCheckSuccess) if table.wantErr { assertObject.Error(err) } assertObject.Equal(table.out, b, fmt.Sprintf("Expected %s to be %v, was %v", table.in, table.out, b)) }) } } func updateTestIfWorkflow(t *testing.T, tables []struct { in string out bool wantErr bool }, rc *RunContext) { var envs string keys := make([]string, 0, len(rc.Env)) for k := range rc.Env { keys = append(keys, k) } sort.Strings(keys) for _, k := range keys { envs += fmt.Sprintf(" %s: %s\n", k, rc.Env[k]) } // editorconfig-checker-disable workflow := fmt.Sprintf(` name: "Test what expressions result in true and false on GitHub" on: push env: %s jobs: test-ifs-and-buts: runs-on: ubuntu-latest steps: `, envs) // editorconfig-checker-enable for i, table := range tables { if table.wantErr || strings.HasPrefix(table.in, "github.actor") { continue } expressionPattern := regexp.MustCompile(`\${{\s*(.+?)\s*}}`) expr := expressionPattern.ReplaceAllStringFunc(table.in, func(match string) string { return fmt.Sprintf("€{{ %s }}", expressionPattern.ReplaceAllString(match, "$1")) }) echo := fmt.Sprintf(`run: echo "%s should be false, but was evaluated to true;" exit 1;`, table.in) name := fmt.Sprintf(`"❌ I should not run, expr: %s"`, expr) if table.out { echo = `run: echo OK` name = fmt.Sprintf(`"✅ I should run, expr: %s"`, expr) } workflow += fmt.Sprintf("\n - name: %s\n id: step%d\n if: %s\n %s\n", name, i, table.in, echo) if table.out { workflow += fmt.Sprintf("\n - name: \"Double checking expr: %s\"\n if: steps.step%d.conclusion == 'skipped'\n run: echo \"%s should have been true, but wasn't\"\n", expr, i, table.in) } } file, err := os.Create("../../.github/workflows/test-if.yml") if err != nil { t.Fatal(err) } _, err = file.WriteString(workflow) if err != nil { t.Fatal(err) } } func TestRunContext_GetBindsAndMounts(t *testing.T) { rctemplate := &RunContext{ Name: "TestRCName", Run: &model.Run{ Workflow: &model.Workflow{ Name: "TestWorkflowName", }, }, Config: &Config{ BindWorkdir: false, }, } tests := []struct { windowsPath bool name string rc *RunContext wantbind string wantmount string }{ {false, "/mnt/linux", rctemplate, "/mnt/linux", "/mnt/linux"}, {false, "/mnt/path with spaces/linux", rctemplate, "/mnt/path with spaces/linux", "/mnt/path with spaces/linux"}, {true, "C:\\Users\\TestPath\\MyTestPath", rctemplate, "/mnt/c/Users/TestPath/MyTestPath", "/mnt/c/Users/TestPath/MyTestPath"}, {true, "C:\\Users\\Test Path with Spaces\\MyTestPath", rctemplate, "/mnt/c/Users/Test Path with Spaces/MyTestPath", "/mnt/c/Users/Test Path with Spaces/MyTestPath"}, {true, "/LinuxPathOnWindowsShouldFail", rctemplate, "", ""}, } isWindows := runtime.GOOS == "windows" for _, testcase := range tests { for _, bindWorkDir := range []bool{true, false} { testBindSuffix := "" if bindWorkDir { testBindSuffix = "Bind" } // Only run windows path tests on windows and non-windows on non-windows if (isWindows && testcase.windowsPath) || (!isWindows && !testcase.windowsPath) { t.Run((testcase.name + testBindSuffix), func(t *testing.T) { config := testcase.rc.Config config.Workdir = testcase.name config.BindWorkdir = bindWorkDir gotbind, gotmount := rctemplate.GetBindsAndMounts() // Name binds/mounts are either/or if config.BindWorkdir { fullBind := testcase.name + ":" + testcase.wantbind if runtime.GOOS == "darwin" { fullBind += ":delegated" } assert.Contains(t, gotbind, fullBind) } else { mountkey := testcase.rc.jobContainerName() assert.EqualValues(t, testcase.wantmount, gotmount[mountkey]) } }) } } } t.Run("ContainerVolumeMountTest", func(t *testing.T) { tests := []struct { name string volumes []string wantbind string wantmount map[string]string }{ {"BindAnonymousVolume", []string{"/volume"}, "/volume", map[string]string{}}, {"BindHostFile", []string{"/path/to/file/on/host:/volume"}, "/path/to/file/on/host:/volume", map[string]string{}}, {"MountExistingVolume", []string{"volume-id:/volume"}, "", map[string]string{"volume-id": "/volume"}}, } for _, testcase := range tests { t.Run(testcase.name, func(t *testing.T) { job := &model.Job{} err := job.RawContainer.Encode(map[string][]string{ "volumes": testcase.volumes, }) assert.NoError(t, err) rc := &RunContext{ Name: "TestRCName", Run: &model.Run{ Workflow: &model.Workflow{ Name: "TestWorkflowName", }, }, Config: &Config{ BindWorkdir: false, }, } rc.Run.JobID = "job1" rc.Run.Workflow.Jobs = map[string]*model.Job{"job1": job} gotbind, gotmount := rc.GetBindsAndMounts() if len(testcase.wantbind) > 0 { assert.Contains(t, gotbind, testcase.wantbind) } for k, v := range testcase.wantmount { assert.Contains(t, gotmount, k) assert.Equal(t, gotmount[k], v) } }) } }) } func TestGetGitHubContext(t *testing.T) { log.SetLevel(log.DebugLevel) cwd, err := os.Getwd() assert.Nil(t, err) rc := &RunContext{ Config: &Config{ EventName: "push", Workdir: cwd, }, Run: &model.Run{ Workflow: &model.Workflow{ Name: "GitHubContextTest", }, }, Name: "GitHubContextTest", CurrentStep: "step", Matrix: map[string]interface{}{}, Env: map[string]string{}, ExtraPath: []string{}, StepResults: map[string]*model.StepResult{}, OutputMappings: map[MappableOutput]MappableOutput{}, } rc.Run.JobID = "job1" ghc := rc.getGithubContext(context.Background()) log.Debugf("%v", ghc) actor := "nektos/act" if a := os.Getenv("ACT_ACTOR"); a != "" { actor = a } repo := "nektos/act" if r := os.Getenv("ACT_REPOSITORY"); r != "" { repo = r } owner := "nektos" if o := os.Getenv("ACT_OWNER"); o != "" { owner = o } assert.Equal(t, "1", ghc.RunID) assert.Equal(t, "1", ghc.RunNumber) assert.Equal(t, "0", ghc.RetentionDays) assert.Equal(t, actor, ghc.Actor) assert.Equal(t, repo, ghc.Repository) assert.Equal(t, owner, ghc.RepositoryOwner) assert.Equal(t, "/dev/null", ghc.RunnerPerflog) assert.Equal(t, rc.Config.Secrets["GITHUB_TOKEN"], ghc.Token) assert.Equal(t, "job1", ghc.Job) } func TestGetGithubContextRef(t *testing.T) { table := []struct { event string json string ref string }{ {event: "push", json: `{"ref":"0000000000000000000000000000000000000000"}`, ref: "0000000000000000000000000000000000000000"}, {event: "create", json: `{"ref":"0000000000000000000000000000000000000000"}`, ref: "0000000000000000000000000000000000000000"}, {event: "workflow_dispatch", json: `{"ref":"0000000000000000000000000000000000000000"}`, ref: "0000000000000000000000000000000000000000"}, {event: "delete", json: `{"repository":{"default_branch": "main"}}`, ref: "refs/heads/main"}, {event: "pull_request", json: `{"number":123}`, ref: "refs/pull/123/merge"}, {event: "pull_request_review", json: `{"number":123}`, ref: "refs/pull/123/merge"}, {event: "pull_request_review_comment", json: `{"number":123}`, ref: "refs/pull/123/merge"}, {event: "pull_request_target", json: `{"pull_request":{"base":{"ref": "main"}}}`, ref: "refs/heads/main"}, {event: "deployment", json: `{"deployment": {"ref": "tag-name"}}`, ref: "tag-name"}, {event: "deployment_status", json: `{"deployment": {"ref": "tag-name"}}`, ref: "tag-name"}, {event: "release", json: `{"release": {"tag_name": "tag-name"}}`, ref: "refs/tags/tag-name"}, } for _, data := range table { t.Run(data.event, func(t *testing.T) { rc := &RunContext{ EventJSON: data.json, Config: &Config{ EventName: data.event, Workdir: "", }, Run: &model.Run{ Workflow: &model.Workflow{ Name: "GitHubContextTest", }, }, } ghc := rc.getGithubContext(context.Background()) assert.Equal(t, data.ref, ghc.Ref) }) } } func createIfTestRunContext(jobs map[string]*model.Job) *RunContext { rc := &RunContext{ Config: &Config{ Workdir: ".", Platforms: map[string]string{ "ubuntu-latest": "ubuntu-latest", }, }, Env: map[string]string{}, Run: &model.Run{ JobID: "job1", Workflow: &model.Workflow{ Name: "test-workflow", Jobs: jobs, }, }, } rc.ExprEval = rc.NewExpressionEvaluator(context.Background()) return rc } func createJob(t *testing.T, input string, result string) *model.Job { var job *model.Job err := yaml.Unmarshal([]byte(input), &job) assert.NoError(t, err) job.Result = result return job } func TestRunContextRunsOnPlatformNames(t *testing.T) { log.SetLevel(log.DebugLevel) assertObject := assert.New(t) rc := createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, ""), }) assertObject.Equal([]string{"ubuntu-latest"}, rc.runsOnPlatformNames(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ${{ 'ubuntu-latest' }}`, ""), }) assertObject.Equal([]string{"ubuntu-latest"}, rc.runsOnPlatformNames(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: [self-hosted, my-runner]`, ""), }) assertObject.Equal([]string{"self-hosted", "my-runner"}, rc.runsOnPlatformNames(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: [self-hosted, "${{ 'my-runner' }}"]`, ""), }) assertObject.Equal([]string{"self-hosted", "my-runner"}, rc.runsOnPlatformNames(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ${{ fromJSON('["ubuntu-latest"]') }}`, ""), }) assertObject.Equal([]string{"ubuntu-latest"}, rc.runsOnPlatformNames(context.Background())) // test missing / invalid runs-on rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `name: something`, ""), }) assertObject.Equal([]string{}, rc.runsOnPlatformNames(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: mapping: value`, ""), }) assertObject.Equal([]string{}, rc.runsOnPlatformNames(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ${{ invalid expression }}`, ""), }) assertObject.Equal([]string{}, rc.runsOnPlatformNames(context.Background())) } func TestRunContextIsEnabled(t *testing.T) { log.SetLevel(log.DebugLevel) assertObject := assert.New(t) // success() rc := createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest if: success()`, ""), }) assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "failure"), "job2": createJob(t, `runs-on: ubuntu-latest needs: [job1] if: success()`, ""), }) rc.Run.JobID = "job2" assertObject.False(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "success"), "job2": createJob(t, `runs-on: ubuntu-latest needs: [job1] if: success()`, ""), }) rc.Run.JobID = "job2" assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "failure"), "job2": createJob(t, `runs-on: ubuntu-latest if: success()`, ""), }) rc.Run.JobID = "job2" assertObject.True(rc.isEnabled(context.Background())) // failure() rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest if: failure()`, ""), }) assertObject.False(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "failure"), "job2": createJob(t, `runs-on: ubuntu-latest needs: [job1] if: failure()`, ""), }) rc.Run.JobID = "job2" assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "success"), "job2": createJob(t, `runs-on: ubuntu-latest needs: [job1] if: failure()`, ""), }) rc.Run.JobID = "job2" assertObject.False(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "failure"), "job2": createJob(t, `runs-on: ubuntu-latest if: failure()`, ""), }) rc.Run.JobID = "job2" assertObject.False(rc.isEnabled(context.Background())) // always() rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest if: always()`, ""), }) assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "failure"), "job2": createJob(t, `runs-on: ubuntu-latest needs: [job1] if: always()`, ""), }) rc.Run.JobID = "job2" assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "success"), "job2": createJob(t, `runs-on: ubuntu-latest needs: [job1] if: always()`, ""), }) rc.Run.JobID = "job2" assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, "success"), "job2": createJob(t, `runs-on: ubuntu-latest if: always()`, ""), }) rc.Run.JobID = "job2" assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `uses: ./.github/workflows/reusable.yml`, ""), }) assertObject.True(rc.isEnabled(context.Background())) rc = createIfTestRunContext(map[string]*model.Job{ "job1": createJob(t, `uses: ./.github/workflows/reusable.yml if: false`, ""), }) assertObject.False(rc.isEnabled(context.Background())) } func TestRunContextGetEnv(t *testing.T) { tests := []struct { description string rc *RunContext targetEnv string want string }{ { description: "Env from Config should overwrite", rc: &RunContext{ Config: &Config{ Env: map[string]string{"OVERWRITTEN": "true"}, }, Run: &model.Run{ Workflow: &model.Workflow{ Jobs: map[string]*model.Job{"test": {Name: "test"}}, Env: map[string]string{"OVERWRITTEN": "false"}, }, JobID: "test", }, }, targetEnv: "OVERWRITTEN", want: "true", }, { description: "No overwrite occurs", rc: &RunContext{ Config: &Config{ Env: map[string]string{"SOME_OTHER_VAR": "true"}, }, Run: &model.Run{ Workflow: &model.Workflow{ Jobs: map[string]*model.Job{"test": {Name: "test"}}, Env: map[string]string{"OVERWRITTEN": "false"}, }, JobID: "test", }, }, targetEnv: "OVERWRITTEN", want: "false", }, } for _, test := range tests { t.Run(test.description, func(t *testing.T) { envMap := test.rc.GetEnv() assert.EqualValues(t, test.want, envMap[test.targetEnv]) }) } } func TestSetRuntimeVariables(t *testing.T) { rc := &RunContext{ Config: &Config{ ArtifactServerAddr: "myhost", ArtifactServerPort: "8000", }, } v := "http://myhost:8000/" env := map[string]string{} setActionRuntimeVars(rc, env) assert.Equal(t, v, env["ACTIONS_RESULTS_URL"]) assert.Equal(t, v, env["ACTIONS_RUNTIME_URL"]) runtimeToken := env["ACTIONS_RUNTIME_TOKEN"] assert.NotEmpty(t, v, runtimeToken) tkn, _, err := jwt.NewParser().ParseUnverified(runtimeToken, jwt.MapClaims{}) assert.NotNil(t, tkn) assert.Nil(t, err) } func TestSetRuntimeVariablesWithRunID(t *testing.T) { rc := &RunContext{ Config: &Config{ ArtifactServerAddr: "myhost", ArtifactServerPort: "8000", Env: map[string]string{ "GITHUB_RUN_ID": "45", }, }, } v := "http://myhost:8000/" env := map[string]string{} setActionRuntimeVars(rc, env) assert.Equal(t, v, env["ACTIONS_RESULTS_URL"]) assert.Equal(t, v, env["ACTIONS_RUNTIME_URL"]) runtimeToken := env["ACTIONS_RUNTIME_TOKEN"] assert.NotEmpty(t, v, runtimeToken) claims := jwt.MapClaims{} tkn, _, err := jwt.NewParser().ParseUnverified(runtimeToken, &claims) assert.NotNil(t, tkn) assert.Nil(t, err) scp, ok := claims["scp"] assert.True(t, ok, "scp claim exists") assert.Equal(t, "Actions.Results:45:45", scp, "contains expected scp claim") }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/action_cache_offline_mode.go
pkg/runner/action_cache_offline_mode.go
package runner import ( "context" "io" "path" git "github.com/go-git/go-git/v5" "github.com/go-git/go-git/v5/plumbing" "github.com/nektos/act/pkg/common" ) type GoGitActionCacheOfflineMode struct { Parent GoGitActionCache } func (c GoGitActionCacheOfflineMode) Fetch(ctx context.Context, cacheDir, url, ref, token string) (string, error) { logger := common.Logger(ctx) gitPath := path.Join(c.Parent.Path, safeFilename(cacheDir)+".git") logger.Infof("GoGitActionCacheOfflineMode fetch content %s with ref %s at %s", url, ref, gitPath) sha, fetchErr := c.Parent.Fetch(ctx, cacheDir, url, ref, token) gogitrepo, err := git.PlainOpen(gitPath) if err != nil { return "", fetchErr } refName := plumbing.ReferenceName("refs/action-cache-offline/" + ref) r, err := gogitrepo.Reference(refName, true) if fetchErr == nil { if err != nil || sha != r.Hash().String() { if err == nil { refName = r.Name() } ref := plumbing.NewHashReference(refName, plumbing.NewHash(sha)) _ = gogitrepo.Storer.SetReference(ref) } } else if err == nil { return r.Hash().String(), nil } return sha, fetchErr } func (c GoGitActionCacheOfflineMode) GetTarArchive(ctx context.Context, cacheDir, sha, includePrefix string) (io.ReadCloser, error) { return c.Parent.GetTarArchive(ctx, cacheDir, sha, includePrefix) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step_run.go
pkg/runner/step_run.go
package runner import ( "context" "fmt" "runtime" "strings" "github.com/kballard/go-shellquote" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/lookpath" "github.com/nektos/act/pkg/model" ) type stepRun struct { Step *model.Step RunContext *RunContext cmd []string cmdline string env map[string]string WorkingDirectory string } func (sr *stepRun) pre() common.Executor { return func(_ context.Context) error { return nil } } func (sr *stepRun) main() common.Executor { sr.env = map[string]string{} return runStepExecutor(sr, stepStageMain, common.NewPipelineExecutor( sr.setupShellCommandExecutor(), func(ctx context.Context) error { sr.getRunContext().ApplyExtraPath(ctx, &sr.env) if he, ok := sr.getRunContext().JobContainer.(*container.HostEnvironment); ok && he != nil { return he.ExecWithCmdLine(sr.cmd, sr.cmdline, sr.env, "", sr.WorkingDirectory)(ctx) } return sr.getRunContext().JobContainer.Exec(sr.cmd, sr.env, "", sr.WorkingDirectory)(ctx) }, )) } func (sr *stepRun) post() common.Executor { return func(_ context.Context) error { return nil } } func (sr *stepRun) getRunContext() *RunContext { return sr.RunContext } func (sr *stepRun) getGithubContext(ctx context.Context) *model.GithubContext { return sr.getRunContext().getGithubContext(ctx) } func (sr *stepRun) getStepModel() *model.Step { return sr.Step } func (sr *stepRun) getEnv() *map[string]string { return &sr.env } func (sr *stepRun) getIfExpression(_ context.Context, _ stepStage) string { return sr.Step.If.Value } func (sr *stepRun) setupShellCommandExecutor() common.Executor { return func(ctx context.Context) error { scriptName, script, err := sr.setupShellCommand(ctx) if err != nil { return err } rc := sr.getRunContext() return rc.JobContainer.Copy(rc.JobContainer.GetActPath(), &container.FileEntry{ Name: scriptName, Mode: 0o755, Body: script, })(ctx) } } func getScriptName(rc *RunContext, step *model.Step) string { scriptName := step.ID for rcs := rc; rcs.Parent != nil; rcs = rcs.Parent { scriptName = fmt.Sprintf("%s-composite-%s", rcs.Parent.CurrentStep, scriptName) } return fmt.Sprintf("workflow/%s", scriptName) } // TODO: Currently we just ignore top level keys, BUT we should return proper error on them // BUTx2 I leave this for when we rewrite act to use actionlint for workflow validation // so we return proper errors before any execution or spawning containers // it will error anyway with: // OCI runtime exec failed: exec failed: container_linux.go:380: starting container process caused: exec: "${{": executable file not found in $PATH: unknown func (sr *stepRun) setupShellCommand(ctx context.Context) (name, script string, err error) { logger := common.Logger(ctx) sr.setupShell(ctx) sr.setupWorkingDirectory(ctx) step := sr.Step script = sr.RunContext.NewStepExpressionEvaluator(ctx, sr).Interpolate(ctx, step.Run) scCmd := step.ShellCommand() name = getScriptName(sr.RunContext, step) // Reference: https://github.com/actions/runner/blob/8109c962f09d9acc473d92c595ff43afceddb347/src/Runner.Worker/Handlers/ScriptHandlerHelpers.cs#L47-L64 // Reference: https://github.com/actions/runner/blob/8109c962f09d9acc473d92c595ff43afceddb347/src/Runner.Worker/Handlers/ScriptHandlerHelpers.cs#L19-L27 runPrepend := "" runAppend := "" switch step.Shell { case "bash", "sh": name += ".sh" case "pwsh", "powershell": name += ".ps1" runPrepend = "$ErrorActionPreference = 'stop'" runAppend = "if ((Test-Path -LiteralPath variable:/LASTEXITCODE)) { exit $LASTEXITCODE }" case "cmd": name += ".cmd" runPrepend = "@echo off" case "python": name += ".py" } script = fmt.Sprintf("%s\n%s\n%s", runPrepend, script, runAppend) if !strings.Contains(script, "::add-mask::") && !sr.RunContext.Config.InsecureSecrets { logger.Debugf("Wrote command \n%s\n to '%s'", script, name) } else { logger.Debugf("Wrote add-mask command to '%s'", name) } rc := sr.getRunContext() scriptPath := fmt.Sprintf("%s/%s", rc.JobContainer.GetActPath(), name) sr.cmdline = strings.Replace(scCmd, `{0}`, scriptPath, 1) sr.cmd, err = shellquote.Split(sr.cmdline) return name, script, err } type localEnv struct { env map[string]string } func (l *localEnv) Getenv(name string) string { if runtime.GOOS == "windows" { for k, v := range l.env { if strings.EqualFold(name, k) { return v } } return "" } return l.env[name] } func (sr *stepRun) setupShell(ctx context.Context) { rc := sr.RunContext step := sr.Step if step.Shell == "" { step.WorkflowShell = rc.Run.Job().Defaults.Run.Shell } else { step.WorkflowShell = step.Shell } step.WorkflowShell = rc.NewExpressionEvaluator(ctx).Interpolate(ctx, step.WorkflowShell) if step.WorkflowShell == "" { step.WorkflowShell = rc.Run.Workflow.Defaults.Run.Shell } if step.WorkflowShell == "" { if _, ok := rc.JobContainer.(*container.HostEnvironment); ok { shellWithFallback := []string{"bash", "sh"} // Don't use bash on windows by default, if not using a docker container if runtime.GOOS == "windows" { shellWithFallback = []string{"pwsh", "powershell"} } step.Shell = shellWithFallback[0] lenv := &localEnv{env: map[string]string{}} for k, v := range sr.env { lenv.env[k] = v } sr.getRunContext().ApplyExtraPath(ctx, &lenv.env) _, err := lookpath.LookPath2(shellWithFallback[0], lenv) if err != nil { step.Shell = shellWithFallback[1] } } else if containerImage := rc.containerImage(ctx); containerImage != "" { // Currently only linux containers are supported, use sh by default like actions/runner step.Shell = "sh" } } else { step.Shell = step.WorkflowShell } } func (sr *stepRun) setupWorkingDirectory(ctx context.Context) { rc := sr.RunContext step := sr.Step workingdirectory := "" if step.WorkingDirectory == "" { workingdirectory = rc.Run.Job().Defaults.Run.WorkingDirectory } else { workingdirectory = step.WorkingDirectory } // jobs can receive context values, so we interpolate workingdirectory = rc.NewExpressionEvaluator(ctx).Interpolate(ctx, workingdirectory) // but top level keys in workflow file like `defaults` or `env` can't if workingdirectory == "" { workingdirectory = rc.Run.Workflow.Defaults.Run.WorkingDirectory } sr.WorkingDirectory = workingdirectory }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step_test.go
pkg/runner/step_test.go
package runner import ( "context" "testing" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/model" log "github.com/sirupsen/logrus" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/mock" yaml "gopkg.in/yaml.v3" ) func TestMergeIntoMap(t *testing.T) { table := []struct { name string target map[string]string maps []map[string]string expected map[string]string }{ { name: "testEmptyMap", target: map[string]string{}, maps: []map[string]string{}, expected: map[string]string{}, }, { name: "testMergeIntoEmptyMap", target: map[string]string{}, maps: []map[string]string{ { "key1": "value1", "key2": "value2", }, { "key2": "overridden", "key3": "value3", }, }, expected: map[string]string{ "key1": "value1", "key2": "overridden", "key3": "value3", }, }, { name: "testMergeIntoExistingMap", target: map[string]string{ "key1": "value1", "key2": "value2", }, maps: []map[string]string{ { "key1": "overridden", }, }, expected: map[string]string{ "key1": "overridden", "key2": "value2", }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { mergeIntoMapCaseSensitive(tt.target, tt.maps...) assert.Equal(t, tt.expected, tt.target) mergeIntoMapCaseInsensitive(tt.target, tt.maps...) assert.Equal(t, tt.expected, tt.target) }) } } type stepMock struct { mock.Mock step } func (sm *stepMock) pre() common.Executor { args := sm.Called() return args.Get(0).(func(context.Context) error) } func (sm *stepMock) main() common.Executor { args := sm.Called() return args.Get(0).(func(context.Context) error) } func (sm *stepMock) post() common.Executor { args := sm.Called() return args.Get(0).(func(context.Context) error) } func (sm *stepMock) getRunContext() *RunContext { args := sm.Called() return args.Get(0).(*RunContext) } func (sm *stepMock) getGithubContext(ctx context.Context) *model.GithubContext { args := sm.Called() return args.Get(0).(*RunContext).getGithubContext(ctx) } func (sm *stepMock) getStepModel() *model.Step { args := sm.Called() return args.Get(0).(*model.Step) } func (sm *stepMock) getEnv() *map[string]string { args := sm.Called() return args.Get(0).(*map[string]string) } func TestSetupEnv(t *testing.T) { cm := &containerMock{} sm := &stepMock{} rc := &RunContext{ Config: &Config{ Env: map[string]string{ "GITHUB_RUN_ID": "runId", }, }, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": { Env: yaml.Node{ Value: "JOB_KEY: jobvalue", }, }, }, }, }, Env: map[string]string{ "RC_KEY": "rcvalue", }, JobContainer: cm, } step := &model.Step{ Uses: "./", With: map[string]string{ "STEP_WITH": "with-value", }, } env := map[string]string{} sm.On("getRunContext").Return(rc) sm.On("getGithubContext").Return(rc) sm.On("getStepModel").Return(step) sm.On("getEnv").Return(&env) err := setupEnv(context.Background(), sm) assert.Nil(t, err) // These are commit or system specific delete((env), "GITHUB_REF") delete((env), "GITHUB_REF_NAME") delete((env), "GITHUB_REF_TYPE") delete((env), "GITHUB_SHA") delete((env), "GITHUB_WORKSPACE") delete((env), "GITHUB_REPOSITORY") delete((env), "GITHUB_REPOSITORY_OWNER") delete((env), "GITHUB_ACTOR") assert.Equal(t, map[string]string{ "ACT": "true", "CI": "true", "GITHUB_ACTION": "", "GITHUB_ACTIONS": "true", "GITHUB_ACTION_PATH": "", "GITHUB_ACTION_REF": "", "GITHUB_ACTION_REPOSITORY": "", "GITHUB_API_URL": "https:///api/v3", "GITHUB_BASE_REF": "", "GITHUB_EVENT_NAME": "", "GITHUB_EVENT_PATH": "/var/run/act/workflow/event.json", "GITHUB_GRAPHQL_URL": "https:///api/graphql", "GITHUB_HEAD_REF": "", "GITHUB_JOB": "1", "GITHUB_RETENTION_DAYS": "0", "GITHUB_RUN_ID": "runId", "GITHUB_RUN_NUMBER": "1", "GITHUB_RUN_ATTEMPT": "1", "GITHUB_SERVER_URL": "https://", "GITHUB_WORKFLOW": "", "INPUT_STEP_WITH": "with-value", "RC_KEY": "rcvalue", "RUNNER_PERFLOG": "/dev/null", "RUNNER_TRACKING_ID": "", }, env) cm.AssertExpectations(t) } func TestIsStepEnabled(t *testing.T) { createTestStep := func(t *testing.T, input string) step { var step *model.Step err := yaml.Unmarshal([]byte(input), &step) assert.NoError(t, err) return &stepRun{ RunContext: &RunContext{ Config: &Config{ Workdir: ".", Platforms: map[string]string{ "ubuntu-latest": "ubuntu-latest", }, }, StepResults: map[string]*model.StepResult{}, Env: map[string]string{}, Run: &model.Run{ JobID: "job1", Workflow: &model.Workflow{ Name: "workflow1", Jobs: map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, ""), }, }, }, }, Step: step, } } log.SetLevel(log.DebugLevel) assertObject := assert.New(t) // success() step := createTestStep(t, "if: success()") assertObject.True(isStepEnabled(context.Background(), step.getIfExpression(context.Background(), stepStageMain), step, stepStageMain)) step = createTestStep(t, "if: success()") step.getRunContext().StepResults["a"] = &model.StepResult{ Conclusion: model.StepStatusSuccess, } assertObject.True(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) step = createTestStep(t, "if: success()") step.getRunContext().StepResults["a"] = &model.StepResult{ Conclusion: model.StepStatusFailure, } assertObject.False(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) // failure() step = createTestStep(t, "if: failure()") assertObject.False(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) step = createTestStep(t, "if: failure()") step.getRunContext().StepResults["a"] = &model.StepResult{ Conclusion: model.StepStatusSuccess, } assertObject.False(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) step = createTestStep(t, "if: failure()") step.getRunContext().StepResults["a"] = &model.StepResult{ Conclusion: model.StepStatusFailure, } assertObject.True(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) // always() step = createTestStep(t, "if: always()") assertObject.True(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) step = createTestStep(t, "if: always()") step.getRunContext().StepResults["a"] = &model.StepResult{ Conclusion: model.StepStatusSuccess, } assertObject.True(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) step = createTestStep(t, "if: always()") step.getRunContext().StepResults["a"] = &model.StepResult{ Conclusion: model.StepStatusFailure, } assertObject.True(isStepEnabled(context.Background(), step.getStepModel().If.Value, step, stepStageMain)) } func TestIsContinueOnError(t *testing.T) { createTestStep := func(t *testing.T, input string) step { var step *model.Step err := yaml.Unmarshal([]byte(input), &step) assert.NoError(t, err) return &stepRun{ RunContext: &RunContext{ Config: &Config{ Workdir: ".", Platforms: map[string]string{ "ubuntu-latest": "ubuntu-latest", }, }, StepResults: map[string]*model.StepResult{}, Env: map[string]string{}, Run: &model.Run{ JobID: "job1", Workflow: &model.Workflow{ Name: "workflow1", Jobs: map[string]*model.Job{ "job1": createJob(t, `runs-on: ubuntu-latest`, ""), }, }, }, }, Step: step, } } log.SetLevel(log.DebugLevel) assertObject := assert.New(t) // absent step := createTestStep(t, "name: test") continueOnError, err := isContinueOnError(context.Background(), step.getStepModel().RawContinueOnError, step, stepStageMain) assertObject.False(continueOnError) assertObject.Nil(err) // explicit true step = createTestStep(t, "continue-on-error: true") continueOnError, err = isContinueOnError(context.Background(), step.getStepModel().RawContinueOnError, step, stepStageMain) assertObject.True(continueOnError) assertObject.Nil(err) // explicit false step = createTestStep(t, "continue-on-error: false") continueOnError, err = isContinueOnError(context.Background(), step.getStepModel().RawContinueOnError, step, stepStageMain) assertObject.False(continueOnError) assertObject.Nil(err) // expression true step = createTestStep(t, "continue-on-error: ${{ 'test' == 'test' }}") continueOnError, err = isContinueOnError(context.Background(), step.getStepModel().RawContinueOnError, step, stepStageMain) assertObject.True(continueOnError) assertObject.Nil(err) // expression false step = createTestStep(t, "continue-on-error: ${{ 'test' != 'test' }}") continueOnError, err = isContinueOnError(context.Background(), step.getStepModel().RawContinueOnError, step, stepStageMain) assertObject.False(continueOnError) assertObject.Nil(err) // expression parse error step = createTestStep(t, "continue-on-error: ${{ 'test' != test }}") continueOnError, err = isContinueOnError(context.Background(), step.getStepModel().RawContinueOnError, step, stepStageMain) assertObject.False(continueOnError) assertObject.NotNil(err) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step_docker_test.go
pkg/runner/step_docker_test.go
package runner import ( "bytes" "context" "io" "testing" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/model" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/mock" ) func TestStepDockerMain(t *testing.T) { cm := &containerMock{} var input *container.NewContainerInput // mock the new container call origContainerNewContainer := ContainerNewContainer ContainerNewContainer = func(containerInput *container.NewContainerInput) container.ExecutionsEnvironment { input = containerInput return cm } defer (func() { ContainerNewContainer = origContainerNewContainer })() ctx := context.Background() sd := &stepDocker{ RunContext: &RunContext{ StepResults: map[string]*model.StepResult{}, Config: &Config{}, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": { Defaults: model.Defaults{ Run: model.RunDefaults{ Shell: "bash", }, }, }, }, }, }, JobContainer: cm, }, Step: &model.Step{ ID: "1", Uses: "docker://node:14", WorkingDirectory: "workdir", }, } sd.RunContext.ExprEval = sd.RunContext.NewExpressionEvaluator(ctx) cm.On("Pull", false).Return(func(_ context.Context) error { return nil }) cm.On("Remove").Return(func(_ context.Context) error { return nil }) cm.On("Create", []string(nil), []string(nil)).Return(func(_ context.Context) error { return nil }) cm.On("Start", true).Return(func(_ context.Context) error { return nil }) cm.On("Close").Return(func(_ context.Context) error { return nil }) cm.On("Copy", "/var/run/act", mock.AnythingOfType("[]*container.FileEntry")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/envs.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/statecmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/outputcmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/SUMMARY.md").Return(io.NopCloser(&bytes.Buffer{}), nil) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/pathcmd.txt").Return(io.NopCloser(&bytes.Buffer{}), nil) err := sd.main()(ctx) assert.Nil(t, err) assert.Equal(t, "node:14", input.Image) cm.AssertExpectations(t) } func TestStepDockerPrePost(t *testing.T) { ctx := context.Background() sd := &stepDocker{} err := sd.pre()(ctx) assert.Nil(t, err) err = sd.post()(ctx) assert.Nil(t, err) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step.go
pkg/runner/step.go
package runner import ( "archive/tar" "context" "errors" "fmt" "io" "path" "strconv" "strings" "time" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/exprparser" "github.com/nektos/act/pkg/model" "github.com/sirupsen/logrus" ) type step interface { pre() common.Executor main() common.Executor post() common.Executor getRunContext() *RunContext getGithubContext(ctx context.Context) *model.GithubContext getStepModel() *model.Step getEnv() *map[string]string getIfExpression(context context.Context, stage stepStage) string } type stepStage int const ( stepStagePre stepStage = iota stepStageMain stepStagePost ) // Controls how many symlinks are resolved for local and remote Actions const maxSymlinkDepth = 10 func (s stepStage) String() string { switch s { case stepStagePre: return "Pre" case stepStageMain: return "Main" case stepStagePost: return "Post" } return "Unknown" } func processRunnerSummaryCommand(ctx context.Context, fileName string, rc *RunContext) error { if common.Dryrun(ctx) { return nil } pathTar, err := rc.JobContainer.GetContainerArchive(ctx, path.Join(rc.JobContainer.GetActPath(), fileName)) if err != nil { return err } defer pathTar.Close() reader := tar.NewReader(pathTar) _, err = reader.Next() if err != nil && err != io.EOF { return err } summary, err := io.ReadAll(reader) if err != nil { return err } if len(summary) == 0 { return nil } common.Logger(ctx).WithFields(logrus.Fields{"command": "summary", "content": string(summary)}).Infof(" \U00002699 Summary - %s", string(summary)) return nil } func processRunnerEnvFileCommand(ctx context.Context, fileName string, rc *RunContext, setter func(context.Context, map[string]string, string)) error { env := map[string]string{} err := rc.JobContainer.UpdateFromEnv(path.Join(rc.JobContainer.GetActPath(), fileName), &env)(ctx) if err != nil { return err } for k, v := range env { setter(ctx, map[string]string{"name": k}, v) } return nil } func runStepExecutor(step step, stage stepStage, executor common.Executor) common.Executor { return func(ctx context.Context) error { logger := common.Logger(ctx) rc := step.getRunContext() stepModel := step.getStepModel() ifExpression := step.getIfExpression(ctx, stage) rc.CurrentStep = stepModel.ID stepResult := &model.StepResult{ Outcome: model.StepStatusSuccess, Conclusion: model.StepStatusSuccess, Outputs: make(map[string]string), } if stage == stepStageMain { rc.StepResults[rc.CurrentStep] = stepResult } err := setupEnv(ctx, step) if err != nil { return err } cctx := common.JobCancelContext(ctx) rc.Cancelled = cctx != nil && cctx.Err() != nil runStep, err := isStepEnabled(ctx, ifExpression, step, stage) if err != nil { stepResult.Conclusion = model.StepStatusFailure stepResult.Outcome = model.StepStatusFailure return err } if !runStep { stepResult.Conclusion = model.StepStatusSkipped stepResult.Outcome = model.StepStatusSkipped logger.WithField("stepResult", stepResult.Outcome).Debugf("Skipping step '%s' due to '%s'", stepModel, ifExpression) return nil } stepString := rc.ExprEval.Interpolate(ctx, stepModel.String()) if strings.Contains(stepString, "::add-mask::") { stepString = "add-mask command" } logger.Infof("\u2B50 Run %s %s", stage, stepString) // Prepare and clean Runner File Commands actPath := rc.JobContainer.GetActPath() outputFileCommand := path.Join("workflow", "outputcmd.txt") (*step.getEnv())["GITHUB_OUTPUT"] = path.Join(actPath, outputFileCommand) stateFileCommand := path.Join("workflow", "statecmd.txt") (*step.getEnv())["GITHUB_STATE"] = path.Join(actPath, stateFileCommand) pathFileCommand := path.Join("workflow", "pathcmd.txt") (*step.getEnv())["GITHUB_PATH"] = path.Join(actPath, pathFileCommand) envFileCommand := path.Join("workflow", "envs.txt") (*step.getEnv())["GITHUB_ENV"] = path.Join(actPath, envFileCommand) summaryFileCommand := path.Join("workflow", "SUMMARY.md") (*step.getEnv())["GITHUB_STEP_SUMMARY"] = path.Join(actPath, summaryFileCommand) _ = rc.JobContainer.Copy(actPath, &container.FileEntry{ Name: outputFileCommand, Mode: 0o666, }, &container.FileEntry{ Name: stateFileCommand, Mode: 0o666, }, &container.FileEntry{ Name: pathFileCommand, Mode: 0o666, }, &container.FileEntry{ Name: envFileCommand, Mode: 0666, }, &container.FileEntry{ Name: summaryFileCommand, Mode: 0o666, })(ctx) stepCtx, cancelStepCtx := context.WithCancel(ctx) defer cancelStepCtx() var cancelTimeOut context.CancelFunc stepCtx, cancelTimeOut = evaluateStepTimeout(stepCtx, rc.ExprEval, stepModel) defer cancelTimeOut() monitorJobCancellation(ctx, stepCtx, cctx, rc, logger, ifExpression, step, stage, cancelStepCtx) startTime := time.Now() err = executor(stepCtx) executionTime := time.Since(startTime) if err == nil { logger.WithFields(logrus.Fields{"executionTime": executionTime, "stepResult": stepResult.Outcome}).Infof(" \u2705 Success - %s %s [%s]", stage, stepString, executionTime) } else { stepResult.Outcome = model.StepStatusFailure continueOnError, parseErr := isContinueOnError(ctx, stepModel.RawContinueOnError, step, stage) if parseErr != nil { stepResult.Conclusion = model.StepStatusFailure return parseErr } if continueOnError { logger.Infof("Failed but continue next step") err = nil stepResult.Conclusion = model.StepStatusSuccess } else { stepResult.Conclusion = model.StepStatusFailure } logger.WithFields(logrus.Fields{"executionTime": executionTime, "stepResult": stepResult.Outcome}).Infof(" \u274C Failure - %s %s [%s]", stage, stepString, executionTime) } // Process Runner File Commands ferrors := []error{err} ferrors = append(ferrors, processRunnerEnvFileCommand(ctx, envFileCommand, rc, rc.setEnv)) ferrors = append(ferrors, processRunnerEnvFileCommand(ctx, stateFileCommand, rc, rc.saveState)) ferrors = append(ferrors, processRunnerEnvFileCommand(ctx, outputFileCommand, rc, rc.setOutput)) ferrors = append(ferrors, processRunnerSummaryCommand(ctx, summaryFileCommand, rc)) ferrors = append(ferrors, rc.UpdateExtraPath(ctx, path.Join(actPath, pathFileCommand))) return errors.Join(ferrors...) } } func monitorJobCancellation(ctx context.Context, stepCtx context.Context, jobCancellationCtx context.Context, rc *RunContext, logger logrus.FieldLogger, ifExpression string, step step, stage stepStage, cancelStepCtx context.CancelFunc) { if !rc.Cancelled && jobCancellationCtx != nil { go func() { select { case <-jobCancellationCtx.Done(): rc.Cancelled = true logger.Infof("Reevaluate condition %v due to cancellation", ifExpression) keepStepRunning, err := isStepEnabled(ctx, ifExpression, step, stage) logger.Infof("Result condition keepStepRunning=%v", keepStepRunning) if !keepStepRunning || err != nil { cancelStepCtx() } case <-stepCtx.Done(): } }() } } func evaluateStepTimeout(ctx context.Context, exprEval ExpressionEvaluator, stepModel *model.Step) (context.Context, context.CancelFunc) { timeout := exprEval.Interpolate(ctx, stepModel.TimeoutMinutes) if timeout != "" { if timeOutMinutes, err := strconv.ParseInt(timeout, 10, 64); err == nil { return context.WithTimeout(ctx, time.Duration(timeOutMinutes)*time.Minute) } } return ctx, func() {} } func setupEnv(ctx context.Context, step step) error { rc := step.getRunContext() mergeEnv(ctx, step) // merge step env last, since it should not be overwritten mergeIntoMap(step, step.getEnv(), step.getStepModel().GetEnv()) exprEval := rc.NewExpressionEvaluator(ctx) for k, v := range *step.getEnv() { if !strings.HasPrefix(k, "INPUT_") { (*step.getEnv())[k] = exprEval.Interpolate(ctx, v) } } // after we have an evaluated step context, update the expressions evaluator with a new env context // you can use step level env in the with property of a uses construct exprEval = rc.NewExpressionEvaluatorWithEnv(ctx, *step.getEnv()) for k, v := range *step.getEnv() { if strings.HasPrefix(k, "INPUT_") { (*step.getEnv())[k] = exprEval.Interpolate(ctx, v) } } common.Logger(ctx).Debugf("setupEnv => %v", *step.getEnv()) return nil } func mergeEnv(ctx context.Context, step step) { env := step.getEnv() rc := step.getRunContext() job := rc.Run.Job() c := job.Container() if c != nil { mergeIntoMap(step, env, rc.GetEnv(), c.Env) } else { mergeIntoMap(step, env, rc.GetEnv()) } rc.withGithubEnv(ctx, step.getGithubContext(ctx), *env) if step.getStepModel().Uses != "" { // prevent uses action input pollution of unset parameters, skip this for run steps // due to design flaw for key := range *env { if strings.Contains(key, "INPUT_") { delete(*env, key) } } } } func isStepEnabled(ctx context.Context, expr string, step step, stage stepStage) (bool, error) { rc := step.getRunContext() var defaultStatusCheck exprparser.DefaultStatusCheck if stage == stepStagePost { defaultStatusCheck = exprparser.DefaultStatusCheckAlways } else { defaultStatusCheck = exprparser.DefaultStatusCheckSuccess } runStep, err := EvalBool(ctx, rc.NewStepExpressionEvaluatorExt(ctx, step, stage == stepStageMain), expr, defaultStatusCheck) if err != nil { return false, fmt.Errorf(" \u274C Error in if-expression: \"if: %s\" (%s)", expr, err) } return runStep, nil } func isContinueOnError(ctx context.Context, expr string, step step, _ stepStage) (bool, error) { // https://github.com/github/docs/blob/3ae84420bd10997bb5f35f629ebb7160fe776eae/content/actions/reference/workflow-syntax-for-github-actions.md?plain=true#L962 if len(strings.TrimSpace(expr)) == 0 { return false, nil } rc := step.getRunContext() continueOnError, err := EvalBool(ctx, rc.NewStepExpressionEvaluator(ctx, step), expr, exprparser.DefaultStatusCheckNone) if err != nil { return false, fmt.Errorf(" \u274C Error in continue-on-error-expression: \"continue-on-error: %s\" (%s)", expr, err) } return continueOnError, nil } func mergeIntoMap(step step, target *map[string]string, maps ...map[string]string) { if rc := step.getRunContext(); rc != nil && rc.JobContainer != nil && rc.JobContainer.IsEnvironmentCaseInsensitive() { mergeIntoMapCaseInsensitive(*target, maps...) } else { mergeIntoMapCaseSensitive(*target, maps...) } } func mergeIntoMapCaseSensitive(target map[string]string, maps ...map[string]string) { for _, m := range maps { for k, v := range m { target[k] = v } } } func mergeIntoMapCaseInsensitive(target map[string]string, maps ...map[string]string) { foldKeys := make(map[string]string, len(target)) for k := range target { foldKeys[strings.ToLower(k)] = k } toKey := func(s string) string { foldKey := strings.ToLower(s) if k, ok := foldKeys[foldKey]; ok { return k } foldKeys[strings.ToLower(foldKey)] = s return s } for _, m := range maps { for k, v := range m { target[toKey(k)] = v } } } func symlinkJoin(filename, sym, parent string) (string, error) { dir := path.Dir(filename) dest := path.Join(dir, sym) prefix := path.Clean(parent) + "/" if strings.HasPrefix(dest, prefix) || prefix == "./" { return dest, nil } return "", fmt.Errorf("symlink tries to access file '%s' outside of '%s'", strings.ReplaceAll(dest, "'", "''"), strings.ReplaceAll(parent, "'", "''")) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/command.go
pkg/runner/command.go
package runner import ( "context" "regexp" "strings" "github.com/nektos/act/pkg/common" "github.com/sirupsen/logrus" ) var commandPatternGA *regexp.Regexp var commandPatternADO *regexp.Regexp func init() { commandPatternGA = regexp.MustCompile("^::([^ ]+)( (.+))?::([^\r\n]*)[\r\n]+$") commandPatternADO = regexp.MustCompile("^##\\[([^ ]+)( (.+))?]([^\r\n]*)[\r\n]+$") } func tryParseRawActionCommand(line string) (command string, kvPairs map[string]string, arg string, ok bool) { if m := commandPatternGA.FindStringSubmatch(line); m != nil { command = m[1] kvPairs = parseKeyValuePairs(m[3], ",") arg = m[4] ok = true } else if m := commandPatternADO.FindStringSubmatch(line); m != nil { command = m[1] kvPairs = parseKeyValuePairs(m[3], ";") arg = m[4] ok = true } return } func (rc *RunContext) commandHandler(ctx context.Context) common.LineHandler { logger := common.Logger(ctx) resumeCommand := "" return func(line string) bool { command, kvPairs, arg, ok := tryParseRawActionCommand(line) if !ok { return true } if resumeCommand != "" && command != resumeCommand { logger.WithFields(logrus.Fields{"command": "ignored", "raw": line}).Infof(" \U00002699 %s", line) return false } arg = unescapeCommandData(arg) kvPairs = unescapeKvPairs(kvPairs) defCommandLogger := logger.WithFields(logrus.Fields{"command": command, "kvPairs": kvPairs, "arg": arg, "raw": line}) switch command { case "set-env": rc.setEnv(ctx, kvPairs, arg) case "set-output": rc.setOutput(ctx, kvPairs, arg) case "add-path": rc.addPath(ctx, arg) case "debug": defCommandLogger.Debugf(" \U0001F4AC %s", line) case "warning": defCommandLogger.Warnf(" \U0001F6A7 %s", line) case "error": defCommandLogger.Errorf(" \U00002757 %s", line) case "add-mask": rc.AddMask(arg) defCommandLogger.Infof(" \U00002699 %s", "***") case "stop-commands": resumeCommand = arg defCommandLogger.Infof(" \U00002699 %s", line) case resumeCommand: resumeCommand = "" defCommandLogger.Infof(" \U00002699 %s", line) case "save-state": defCommandLogger.Infof(" \U0001f4be %s", line) rc.saveState(ctx, kvPairs, arg) case "add-matcher": defCommandLogger.Infof(" \U00002753 add-matcher %s", arg) default: defCommandLogger.Infof(" \U00002753 %s", line) } return false } } func (rc *RunContext) setEnv(ctx context.Context, kvPairs map[string]string, arg string) { name := kvPairs["name"] common.Logger(ctx).WithFields(logrus.Fields{"command": "set-env", "name": name, "arg": arg}).Infof(" \U00002699 ::set-env:: %s=%s", name, arg) if rc.Env == nil { rc.Env = make(map[string]string) } if rc.GlobalEnv == nil { rc.GlobalEnv = map[string]string{} } newenv := map[string]string{ name: arg, } mergeIntoMap := mergeIntoMapCaseSensitive if rc.JobContainer != nil && rc.JobContainer.IsEnvironmentCaseInsensitive() { mergeIntoMap = mergeIntoMapCaseInsensitive } mergeIntoMap(rc.Env, newenv) mergeIntoMap(rc.GlobalEnv, newenv) } func (rc *RunContext) setOutput(ctx context.Context, kvPairs map[string]string, arg string) { logger := common.Logger(ctx) stepID := rc.CurrentStep outputName := kvPairs["name"] if outputMapping, ok := rc.OutputMappings[MappableOutput{StepID: stepID, OutputName: outputName}]; ok { stepID = outputMapping.StepID outputName = outputMapping.OutputName } result, ok := rc.StepResults[stepID] if !ok { logger.Infof(" \U00002757 no outputs used step '%s'", stepID) return } logger.WithFields(logrus.Fields{"command": "set-output", "name": outputName, "arg": arg}).Infof(" \U00002699 ::set-output:: %s=%s", outputName, arg) result.Outputs[outputName] = arg } func (rc *RunContext) addPath(ctx context.Context, arg string) { common.Logger(ctx).WithFields(logrus.Fields{"command": "add-path", "arg": arg}).Infof(" \U00002699 ::add-path:: %s", arg) extraPath := []string{arg} for _, v := range rc.ExtraPath { if v != arg { extraPath = append(extraPath, v) } } rc.ExtraPath = extraPath } func parseKeyValuePairs(kvPairs string, separator string) map[string]string { rtn := make(map[string]string) kvPairList := strings.Split(kvPairs, separator) for _, kvPair := range kvPairList { kv := strings.Split(kvPair, "=") if len(kv) == 2 { rtn[kv[0]] = kv[1] } } return rtn } func unescapeCommandData(arg string) string { escapeMap := map[string]string{ "%25": "%", "%0D": "\r", "%0A": "\n", } for k, v := range escapeMap { arg = strings.ReplaceAll(arg, k, v) } return arg } func unescapeCommandProperty(arg string) string { escapeMap := map[string]string{ "%25": "%", "%0D": "\r", "%0A": "\n", "%3A": ":", "%2C": ",", } for k, v := range escapeMap { arg = strings.ReplaceAll(arg, k, v) } return arg } func unescapeKvPairs(kvPairs map[string]string) map[string]string { for k, v := range kvPairs { kvPairs[k] = unescapeCommandProperty(v) } return kvPairs } func (rc *RunContext) saveState(_ context.Context, kvPairs map[string]string, arg string) { stepID := rc.CurrentStep if stepID != "" { if rc.IntraActionState == nil { rc.IntraActionState = map[string]map[string]string{} } state, ok := rc.IntraActionState[stepID] if !ok { state = map[string]string{} rc.IntraActionState[stepID] = state } state[kvPairs["name"]] = arg } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/logger.go
pkg/runner/logger.go
package runner import ( "bytes" "context" "fmt" "io" "os" "strings" "sync" "github.com/nektos/act/pkg/common" "github.com/sirupsen/logrus" "golang.org/x/term" ) const ( // nocolor = 0 red = 31 green = 32 yellow = 33 blue = 34 magenta = 35 cyan = 36 gray = 37 ) var colors []int var nextColor int var mux sync.Mutex func init() { nextColor = 0 colors = []int{ blue, yellow, green, magenta, red, gray, cyan, } } type masksContextKey string const masksContextKeyVal = masksContextKey("logrus.FieldLogger") // Logger returns the appropriate logger for current context func Masks(ctx context.Context) *[]string { val := ctx.Value(masksContextKeyVal) if val != nil { if masks, ok := val.(*[]string); ok { return masks } } return &[]string{} } // WithMasks adds a value to the context for the logger func WithMasks(ctx context.Context, masks *[]string) context.Context { return context.WithValue(ctx, masksContextKeyVal, masks) } type JobLoggerFactory interface { WithJobLogger() *logrus.Logger } type jobLoggerFactoryContextKey string var jobLoggerFactoryContextKeyVal = (jobLoggerFactoryContextKey)("jobloggerkey") func WithJobLoggerFactory(ctx context.Context, factory JobLoggerFactory) context.Context { return context.WithValue(ctx, jobLoggerFactoryContextKeyVal, factory) } // WithJobLogger attaches a new logger to context that is aware of steps func WithJobLogger(ctx context.Context, jobID string, jobName string, config *Config, masks *[]string, matrix map[string]interface{}) context.Context { ctx = WithMasks(ctx, masks) var logger *logrus.Logger if jobLoggerFactory, ok := ctx.Value(jobLoggerFactoryContextKeyVal).(JobLoggerFactory); ok && jobLoggerFactory != nil { logger = jobLoggerFactory.WithJobLogger() } else { var formatter logrus.Formatter if config.JSONLogger { formatter = &logrus.JSONFormatter{} } else { mux.Lock() defer mux.Unlock() nextColor++ formatter = &jobLogFormatter{ color: colors[nextColor%len(colors)], logPrefixJobID: config.LogPrefixJobID, } } logger = logrus.New() logger.SetOutput(os.Stdout) logger.SetLevel(logrus.GetLevel()) logger.SetFormatter(formatter) } logger.SetFormatter(&maskedFormatter{ Formatter: logger.Formatter, masker: valueMasker(config.InsecureSecrets, config.Secrets), }) rtn := logger.WithFields(logrus.Fields{ "job": jobName, "jobID": jobID, "dryrun": common.Dryrun(ctx), "matrix": matrix, }).WithContext(ctx) return common.WithLogger(ctx, rtn) } func WithCompositeLogger(ctx context.Context, masks *[]string) context.Context { ctx = WithMasks(ctx, masks) return common.WithLogger(ctx, common.Logger(ctx).WithFields(logrus.Fields{}).WithContext(ctx)) } func WithCompositeStepLogger(ctx context.Context, stepID string) context.Context { val := common.Logger(ctx) stepIDs := make([]string, 0) if logger, ok := val.(*logrus.Entry); ok { if oldStepIDs, ok := logger.Data["stepID"].([]string); ok { stepIDs = append(stepIDs, oldStepIDs...) } } stepIDs = append(stepIDs, stepID) return common.WithLogger(ctx, common.Logger(ctx).WithFields(logrus.Fields{ "stepID": stepIDs, }).WithContext(ctx)) } func withStepLogger(ctx context.Context, stepID string, stepName string, stageName string) context.Context { rtn := common.Logger(ctx).WithFields(logrus.Fields{ "step": stepName, "stepID": []string{stepID}, "stage": stageName, }) return common.WithLogger(ctx, rtn) } type entryProcessor func(entry *logrus.Entry) *logrus.Entry func valueMasker(insecureSecrets bool, secrets map[string]string) entryProcessor { ssecrets := []string{} for _, v := range secrets { ssecrets = append(ssecrets, v) } return func(entry *logrus.Entry) *logrus.Entry { if insecureSecrets { return entry } masks := Masks(entry.Context) for _, v := range ssecrets { if v != "" { entry.Message = strings.ReplaceAll(entry.Message, v, "***") } } for _, v := range *masks { if v != "" { entry.Message = strings.ReplaceAll(entry.Message, v, "***") } } return entry } } type maskedFormatter struct { logrus.Formatter masker entryProcessor } func (f *maskedFormatter) Format(entry *logrus.Entry) ([]byte, error) { return f.Formatter.Format(f.masker(entry)) } type jobLogFormatter struct { color int logPrefixJobID bool } func (f *jobLogFormatter) Format(entry *logrus.Entry) ([]byte, error) { b := &bytes.Buffer{} if f.isColored(entry) { f.printColored(b, entry) } else { f.print(b, entry) } b.WriteByte('\n') return b.Bytes(), nil } func (f *jobLogFormatter) printColored(b *bytes.Buffer, entry *logrus.Entry) { entry.Message = strings.TrimSuffix(entry.Message, "\n") var job any if f.logPrefixJobID { job = entry.Data["jobID"] } else { job = entry.Data["job"] } debugFlag := "" if entry.Level == logrus.DebugLevel { debugFlag = "[DEBUG] " } if entry.Data["raw_output"] == true { fmt.Fprintf(b, "\x1b[%dm|\x1b[0m %s", f.color, entry.Message) } else if entry.Data["dryrun"] == true { fmt.Fprintf(b, "\x1b[1m\x1b[%dm\x1b[7m*DRYRUN*\x1b[0m \x1b[%dm[%s] \x1b[0m%s%s", gray, f.color, job, debugFlag, entry.Message) } else { fmt.Fprintf(b, "\x1b[%dm[%s] \x1b[0m%s%s", f.color, job, debugFlag, entry.Message) } } func (f *jobLogFormatter) print(b *bytes.Buffer, entry *logrus.Entry) { entry.Message = strings.TrimSuffix(entry.Message, "\n") var job any if f.logPrefixJobID { job = entry.Data["jobID"] } else { job = entry.Data["job"] } debugFlag := "" if entry.Level == logrus.DebugLevel { debugFlag = "[DEBUG] " } if entry.Data["raw_output"] == true { fmt.Fprintf(b, "[%s] | %s", job, entry.Message) } else if entry.Data["dryrun"] == true { fmt.Fprintf(b, "*DRYRUN* [%s] %s%s", job, debugFlag, entry.Message) } else { fmt.Fprintf(b, "[%s] %s%s", job, debugFlag, entry.Message) } } func (f *jobLogFormatter) isColored(entry *logrus.Entry) bool { isColored := checkIfTerminal(entry.Logger.Out) if force, ok := os.LookupEnv("CLICOLOR_FORCE"); ok && force != "0" { isColored = true } else if ok && force == "0" { isColored = false } else if os.Getenv("CLICOLOR") == "0" { isColored = false } return isColored } func checkIfTerminal(w io.Writer) bool { switch v := w.(type) { case *os.File: return term.IsTerminal(int(v.Fd())) default: return false } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/job_executor_test.go
pkg/runner/job_executor_test.go
package runner import ( "context" "fmt" "io" "testing" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/model" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/mock" ) func TestJobExecutor(t *testing.T) { tables := []TestJobFileInfo{ {workdir, "uses-and-run-in-one-step", "push", "Invalid run/uses syntax for job:test step:Test", platforms, secrets}, {workdir, "uses-github-empty", "push", "Expected format {org}/{repo}[/path]@ref", platforms, secrets}, {workdir, "uses-github-noref", "push", "Expected format {org}/{repo}[/path]@ref", platforms, secrets}, {workdir, "uses-github-root", "push", "", platforms, secrets}, {workdir, "uses-github-path", "push", "", platforms, secrets}, {workdir, "uses-docker-url", "push", "", platforms, secrets}, {workdir, "uses-github-full-sha", "push", "", platforms, secrets}, {workdir, "uses-github-short-sha", "push", "Unable to resolve action `actions/hello-world-docker-action@b136eb8`, the provided ref `b136eb8` is the shortened version of a commit SHA, which is not supported. Please use the full commit SHA `b136eb8894c5cb1dd5807da824be97ccdf9b5423` instead", platforms, secrets}, {workdir, "job-nil-step", "push", "invalid Step 0: missing run or uses key", platforms, secrets}, } // These tests are sufficient to only check syntax. ctx := common.WithDryrun(context.Background(), true) for _, table := range tables { t.Run(table.workflowPath, func(t *testing.T) { table.runTest(ctx, t, &Config{}) }) } } type jobInfoMock struct { mock.Mock } func (jim *jobInfoMock) matrix() map[string]interface{} { args := jim.Called() return args.Get(0).(map[string]interface{}) } func (jim *jobInfoMock) steps() []*model.Step { args := jim.Called() return args.Get(0).([]*model.Step) } func (jim *jobInfoMock) startContainer() common.Executor { args := jim.Called() return args.Get(0).(func(context.Context) error) } func (jim *jobInfoMock) stopContainer() common.Executor { args := jim.Called() return args.Get(0).(func(context.Context) error) } func (jim *jobInfoMock) closeContainer() common.Executor { args := jim.Called() return args.Get(0).(func(context.Context) error) } func (jim *jobInfoMock) interpolateOutputs() common.Executor { args := jim.Called() return args.Get(0).(func(context.Context) error) } func (jim *jobInfoMock) result(result string) { jim.Called(result) } type jobContainerMock struct { container.Container container.LinuxContainerEnvironmentExtensions } func (jcm *jobContainerMock) ReplaceLogWriter(_, _ io.Writer) (io.Writer, io.Writer) { return nil, nil } type stepFactoryMock struct { mock.Mock } func (sfm *stepFactoryMock) newStep(model *model.Step, rc *RunContext) (step, error) { args := sfm.Called(model, rc) return args.Get(0).(step), args.Error(1) } func TestNewJobExecutor(t *testing.T) { table := []struct { name string steps []*model.Step preSteps []bool postSteps []bool executedSteps []string result string hasError bool }{ { name: "zeroSteps", steps: []*model.Step{}, preSteps: []bool{}, postSteps: []bool{}, executedSteps: []string{}, result: "success", hasError: false, }, { name: "stepWithoutPrePost", steps: []*model.Step{{ ID: "1", }}, preSteps: []bool{false}, postSteps: []bool{false}, executedSteps: []string{ "startContainer", "step1", "stopContainer", "interpolateOutputs", "closeContainer", }, result: "success", hasError: false, }, { name: "stepWithFailure", steps: []*model.Step{{ ID: "1", }}, preSteps: []bool{false}, postSteps: []bool{false}, executedSteps: []string{ "startContainer", "step1", "interpolateOutputs", "closeContainer", }, result: "failure", hasError: true, }, { name: "stepWithPre", steps: []*model.Step{{ ID: "1", }}, preSteps: []bool{true}, postSteps: []bool{false}, executedSteps: []string{ "startContainer", "pre1", "step1", "stopContainer", "interpolateOutputs", "closeContainer", }, result: "success", hasError: false, }, { name: "stepWithPost", steps: []*model.Step{{ ID: "1", }}, preSteps: []bool{false}, postSteps: []bool{true}, executedSteps: []string{ "startContainer", "step1", "post1", "stopContainer", "interpolateOutputs", "closeContainer", }, result: "success", hasError: false, }, { name: "stepWithPreAndPost", steps: []*model.Step{{ ID: "1", }}, preSteps: []bool{true}, postSteps: []bool{true}, executedSteps: []string{ "startContainer", "pre1", "step1", "post1", "stopContainer", "interpolateOutputs", "closeContainer", }, result: "success", hasError: false, }, { name: "stepsWithPreAndPost", steps: []*model.Step{{ ID: "1", }, { ID: "2", }, { ID: "3", }}, preSteps: []bool{true, false, true}, postSteps: []bool{false, true, true}, executedSteps: []string{ "startContainer", "pre1", "pre3", "step1", "step2", "step3", "post3", "post2", "stopContainer", "interpolateOutputs", "closeContainer", }, result: "success", hasError: false, }, } contains := func(needle string, haystack []string) bool { for _, item := range haystack { if item == needle { return true } } return false } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { fmt.Printf("::group::%s\n", tt.name) ctx := common.WithJobErrorContainer(context.Background()) jim := &jobInfoMock{} sfm := &stepFactoryMock{} rc := &RunContext{ JobContainer: &jobContainerMock{}, Run: &model.Run{ JobID: "test", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "test": {}, }, }, }, Config: &Config{}, nodeToolFullPath: "node", } rc.ExprEval = rc.NewExpressionEvaluator(ctx) executorOrder := make([]string, 0) jim.On("steps").Return(tt.steps) if len(tt.steps) > 0 { jim.On("startContainer").Return(func(_ context.Context) error { executorOrder = append(executorOrder, "startContainer") return nil }) } for i, stepModel := range tt.steps { sm := &stepMock{} sfm.On("newStep", stepModel, rc).Return(sm, nil) sm.On("pre").Return(func(_ context.Context) error { if tt.preSteps[i] { executorOrder = append(executorOrder, "pre"+stepModel.ID) } return nil }) sm.On("main").Return(func(_ context.Context) error { executorOrder = append(executorOrder, "step"+stepModel.ID) if tt.hasError { return fmt.Errorf("error") } return nil }) sm.On("post").Return(func(_ context.Context) error { if tt.postSteps[i] { executorOrder = append(executorOrder, "post"+stepModel.ID) } return nil }) defer sm.AssertExpectations(t) } if len(tt.steps) > 0 { jim.On("matrix").Return(map[string]interface{}{}) jim.On("interpolateOutputs").Return(func(_ context.Context) error { executorOrder = append(executorOrder, "interpolateOutputs") return nil }) if contains("stopContainer", tt.executedSteps) { jim.On("stopContainer").Return(func(_ context.Context) error { executorOrder = append(executorOrder, "stopContainer") return nil }) } jim.On("result", tt.result) jim.On("closeContainer").Return(func(_ context.Context) error { executorOrder = append(executorOrder, "closeContainer") return nil }) } executor := newJobExecutor(jim, sfm, rc) err := executor(ctx) assert.Nil(t, err) assert.Equal(t, tt.executedSteps, executorOrder) jim.AssertExpectations(t) sfm.AssertExpectations(t) fmt.Println("::endgroup::") }) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step_action_local_test.go
pkg/runner/step_action_local_test.go
package runner import ( "bytes" "context" "io" "path/filepath" "strings" "testing" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/model" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/mock" "gopkg.in/yaml.v3" ) type stepActionLocalMocks struct { mock.Mock } func (salm *stepActionLocalMocks) runAction(step actionStep, actionDir string, remoteAction *remoteAction) common.Executor { args := salm.Called(step, actionDir, remoteAction) return args.Get(0).(func(context.Context) error) } func (salm *stepActionLocalMocks) readAction(_ context.Context, step *model.Step, actionDir string, actionPath string, readFile actionYamlReader, writeFile fileWriter) (*model.Action, error) { args := salm.Called(step, actionDir, actionPath, readFile, writeFile) return args.Get(0).(*model.Action), args.Error(1) } func TestStepActionLocalTest(t *testing.T) { ctx := context.Background() cm := &containerMock{} salm := &stepActionLocalMocks{} sal := &stepActionLocal{ readAction: salm.readAction, runAction: salm.runAction, RunContext: &RunContext{ StepResults: map[string]*model.StepResult{}, ExprEval: &expressionEvaluator{}, Config: &Config{ Workdir: "/tmp", }, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": { Defaults: model.Defaults{ Run: model.RunDefaults{ Shell: "bash", }, }, }, }, }, }, JobContainer: cm, }, Step: &model.Step{ ID: "1", Uses: "./path/to/action", }, } salm.On("readAction", sal.Step, filepath.Clean("/tmp/path/to/action"), "", mock.Anything, mock.Anything). Return(&model.Action{}, nil) cm.On("Copy", "/var/run/act", mock.AnythingOfType("[]*container.FileEntry")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/envs.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/statecmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/outputcmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/SUMMARY.md").Return(io.NopCloser(&bytes.Buffer{}), nil) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/pathcmd.txt").Return(io.NopCloser(&bytes.Buffer{}), nil) salm.On("runAction", sal, filepath.Clean("/tmp/path/to/action"), (*remoteAction)(nil)).Return(func(_ context.Context) error { return nil }) err := sal.pre()(ctx) assert.Nil(t, err) err = sal.main()(ctx) assert.Nil(t, err) cm.AssertExpectations(t) salm.AssertExpectations(t) } func TestStepActionLocalPost(t *testing.T) { table := []struct { name string stepModel *model.Step actionModel *model.Action initialStepResults map[string]*model.StepResult err error mocks struct { env bool exec bool } }{ { name: "main-success", stepModel: &model.Step{ ID: "step", Uses: "./local/action", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "always()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusSuccess, Outcome: model.StepStatusSuccess, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: true, exec: true, }, }, { name: "main-failed", stepModel: &model.Step{ ID: "step", Uses: "./local/action", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "always()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusFailure, Outcome: model.StepStatusFailure, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: true, exec: true, }, }, { name: "skip-if-failed", stepModel: &model.Step{ ID: "step", Uses: "./local/action", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "success()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusFailure, Outcome: model.StepStatusFailure, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: false, exec: false, }, }, { name: "skip-if-main-skipped", stepModel: &model.Step{ ID: "step", If: yaml.Node{Value: "failure()"}, Uses: "./local/action", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "always()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusSkipped, Outcome: model.StepStatusSkipped, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: false, exec: false, }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { ctx := context.Background() cm := &containerMock{} sal := &stepActionLocal{ env: map[string]string{}, RunContext: &RunContext{ Config: &Config{ GitHubInstance: "https://github.com", }, JobContainer: cm, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": {}, }, }, }, StepResults: tt.initialStepResults, nodeToolFullPath: "node", }, Step: tt.stepModel, action: tt.actionModel, } sal.RunContext.ExprEval = sal.RunContext.NewExpressionEvaluator(ctx) if tt.mocks.exec { suffixMatcher := func(suffix string) interface{} { return mock.MatchedBy(func(array []string) bool { return strings.HasSuffix(array[1], suffix) }) } cm.On("Exec", suffixMatcher("pkg/runner/local/action/post.js"), sal.env, "", "").Return(func(_ context.Context) error { return tt.err }) cm.On("Copy", "/var/run/act", mock.AnythingOfType("[]*container.FileEntry")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/envs.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/statecmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/outputcmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/SUMMARY.md").Return(io.NopCloser(&bytes.Buffer{}), nil) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/pathcmd.txt").Return(io.NopCloser(&bytes.Buffer{}), nil) } err := sal.post()(ctx) assert.Equal(t, tt.err, err) assert.Equal(t, sal.RunContext.StepResults["post-step"], (*model.StepResult)(nil)) cm.AssertExpectations(t) }) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/reusable_workflow.go
pkg/runner/reusable_workflow.go
package runner import ( "archive/tar" "context" "errors" "fmt" "io/fs" "os" "path" "regexp" "sync" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/common/git" "github.com/nektos/act/pkg/model" ) func newLocalReusableWorkflowExecutor(rc *RunContext) common.Executor { return newReusableWorkflowExecutor(rc, rc.Config.Workdir, rc.Run.Job().Uses) } func newRemoteReusableWorkflowExecutor(rc *RunContext) common.Executor { uses := rc.Run.Job().Uses remoteReusableWorkflow := newRemoteReusableWorkflow(uses) if remoteReusableWorkflow == nil { return common.NewErrorExecutor(fmt.Errorf("expected format {owner}/{repo}/.github/workflows/{filename}@{ref}. Actual '%s' Input string was not in a correct format", uses)) } // uses with safe filename makes the target directory look something like this {owner}-{repo}-.github-workflows-{filename}@{ref} // instead we will just use {owner}-{repo}@{ref} as our target directory. This should also improve performance when we are using // multiple reusable workflows from the same repository and ref since for each workflow we won't have to clone it again filename := fmt.Sprintf("%s/%s@%s", remoteReusableWorkflow.Org, remoteReusableWorkflow.Repo, remoteReusableWorkflow.Ref) workflowDir := fmt.Sprintf("%s/%s", rc.ActionCacheDir(), safeFilename(filename)) if rc.Config.ActionCache != nil { return newActionCacheReusableWorkflowExecutor(rc, filename, remoteReusableWorkflow) } return common.NewPipelineExecutor( newMutexExecutor(cloneIfRequired(rc, *remoteReusableWorkflow, workflowDir)), newReusableWorkflowExecutor(rc, workflowDir, fmt.Sprintf("./.github/workflows/%s", remoteReusableWorkflow.Filename)), ) } func newActionCacheReusableWorkflowExecutor(rc *RunContext, filename string, remoteReusableWorkflow *remoteReusableWorkflow) common.Executor { return func(ctx context.Context) error { ghctx := rc.getGithubContext(ctx) remoteReusableWorkflow.URL = ghctx.ServerURL sha, err := rc.Config.ActionCache.Fetch(ctx, filename, remoteReusableWorkflow.CloneURL(), remoteReusableWorkflow.Ref, ghctx.Token) if err != nil { return err } archive, err := rc.Config.ActionCache.GetTarArchive(ctx, filename, sha, fmt.Sprintf(".github/workflows/%s", remoteReusableWorkflow.Filename)) if err != nil { return err } defer archive.Close() treader := tar.NewReader(archive) if _, err = treader.Next(); err != nil { return err } planner, err := model.NewSingleWorkflowPlanner(remoteReusableWorkflow.Filename, treader) if err != nil { return err } plan, err := planner.PlanEvent("workflow_call") if err != nil { return err } runner, err := NewReusableWorkflowRunner(rc) if err != nil { return err } return runner.NewPlanExecutor(plan)(ctx) } } var ( executorLock sync.Mutex ) func newMutexExecutor(executor common.Executor) common.Executor { return func(ctx context.Context) error { executorLock.Lock() defer executorLock.Unlock() return executor(ctx) } } func cloneIfRequired(rc *RunContext, remoteReusableWorkflow remoteReusableWorkflow, targetDirectory string) common.Executor { return common.NewConditionalExecutor( func(_ context.Context) bool { _, err := os.Stat(targetDirectory) notExists := errors.Is(err, fs.ErrNotExist) return notExists }, func(ctx context.Context) error { remoteReusableWorkflow.URL = rc.getGithubContext(ctx).ServerURL return git.NewGitCloneExecutor(git.NewGitCloneExecutorInput{ URL: remoteReusableWorkflow.CloneURL(), Ref: remoteReusableWorkflow.Ref, Dir: targetDirectory, Token: rc.Config.Token, OfflineMode: rc.Config.ActionOfflineMode, })(ctx) }, nil, ) } func newReusableWorkflowExecutor(rc *RunContext, directory string, workflow string) common.Executor { return func(ctx context.Context) error { planner, err := model.NewWorkflowPlanner(path.Join(directory, workflow), true, false) if err != nil { return err } plan, err := planner.PlanEvent("workflow_call") if err != nil { return err } runner, err := NewReusableWorkflowRunner(rc) if err != nil { return err } return runner.NewPlanExecutor(plan)(ctx) } } func NewReusableWorkflowRunner(rc *RunContext) (Runner, error) { runner := &runnerImpl{ config: rc.Config, eventJSON: rc.EventJSON, caller: &caller{ runContext: rc, }, } return runner.configure() } type remoteReusableWorkflow struct { URL string Org string Repo string Filename string Ref string } func (r *remoteReusableWorkflow) CloneURL() string { return fmt.Sprintf("%s/%s/%s", r.URL, r.Org, r.Repo) } func newRemoteReusableWorkflow(uses string) *remoteReusableWorkflow { // GitHub docs: // https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#jobsjob_iduses r := regexp.MustCompile(`^([^/]+)/([^/]+)/.github/workflows/([^@]+)@(.*)$`) matches := r.FindStringSubmatch(uses) if len(matches) != 5 { return nil } return &remoteReusableWorkflow{ Org: matches[1], Repo: matches[2], Filename: matches[3], Ref: matches[4], URL: "https://github.com", } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/runner/step_action_remote_test.go
pkg/runner/step_action_remote_test.go
package runner import ( "bytes" "context" "errors" "io" "strings" "testing" "github.com/stretchr/testify/assert" "github.com/stretchr/testify/mock" "gopkg.in/yaml.v3" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/common/git" "github.com/nektos/act/pkg/model" ) type stepActionRemoteMocks struct { mock.Mock } func (sarm *stepActionRemoteMocks) readAction(_ context.Context, step *model.Step, actionDir string, actionPath string, readFile actionYamlReader, writeFile fileWriter) (*model.Action, error) { args := sarm.Called(step, actionDir, actionPath, readFile, writeFile) return args.Get(0).(*model.Action), args.Error(1) } func (sarm *stepActionRemoteMocks) runAction(step actionStep, actionDir string, remoteAction *remoteAction) common.Executor { args := sarm.Called(step, actionDir, remoteAction) return args.Get(0).(func(context.Context) error) } func TestStepActionRemote(t *testing.T) { table := []struct { name string stepModel *model.Step result *model.StepResult mocks struct { env bool cloned bool read bool run bool } runError error }{ { name: "run-successful", stepModel: &model.Step{ ID: "step", Uses: "remote/action@v1", }, result: &model.StepResult{ Conclusion: model.StepStatusSuccess, Outcome: model.StepStatusSuccess, Outputs: map[string]string{}, }, mocks: struct { env bool cloned bool read bool run bool }{ env: true, cloned: true, read: true, run: true, }, }, { name: "run-skipped", stepModel: &model.Step{ ID: "step", Uses: "remote/action@v1", If: yaml.Node{Value: "false"}, }, result: &model.StepResult{ Conclusion: model.StepStatusSkipped, Outcome: model.StepStatusSkipped, Outputs: map[string]string{}, }, mocks: struct { env bool cloned bool read bool run bool }{ env: true, cloned: true, read: true, run: false, }, }, { name: "run-error", stepModel: &model.Step{ ID: "step", Uses: "remote/action@v1", }, result: &model.StepResult{ Conclusion: model.StepStatusFailure, Outcome: model.StepStatusFailure, Outputs: map[string]string{}, }, mocks: struct { env bool cloned bool read bool run bool }{ env: true, cloned: true, read: true, run: true, }, runError: errors.New("error"), }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { ctx := context.Background() cm := &containerMock{} sarm := &stepActionRemoteMocks{} clonedAction := false origStepAtionRemoteNewCloneExecutor := stepActionRemoteNewCloneExecutor stepActionRemoteNewCloneExecutor = func(_ git.NewGitCloneExecutorInput) common.Executor { return func(_ context.Context) error { clonedAction = true return nil } } defer (func() { stepActionRemoteNewCloneExecutor = origStepAtionRemoteNewCloneExecutor })() sar := &stepActionRemote{ RunContext: &RunContext{ Config: &Config{ GitHubInstance: "github.com", }, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": {}, }, }, }, StepResults: map[string]*model.StepResult{}, JobContainer: cm, }, Step: tt.stepModel, readAction: sarm.readAction, runAction: sarm.runAction, } sar.RunContext.ExprEval = sar.RunContext.NewExpressionEvaluator(ctx) suffixMatcher := func(suffix string) interface{} { return mock.MatchedBy(func(actionDir string) bool { return strings.HasSuffix(actionDir, suffix) }) } if tt.mocks.read { sarm.On("readAction", sar.Step, suffixMatcher("act/remote-action@v1"), "", mock.Anything, mock.Anything).Return(&model.Action{}, nil) } if tt.mocks.run { sarm.On("runAction", sar, suffixMatcher("act/remote-action@v1"), newRemoteAction(sar.Step.Uses)).Return(func(_ context.Context) error { return tt.runError }) cm.On("Copy", "/var/run/act", mock.AnythingOfType("[]*container.FileEntry")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/envs.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/statecmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/outputcmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/SUMMARY.md").Return(io.NopCloser(&bytes.Buffer{}), nil) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/pathcmd.txt").Return(io.NopCloser(&bytes.Buffer{}), nil) } err := sar.pre()(ctx) if err == nil { err = sar.main()(ctx) } assert.ErrorIs(t, err, tt.runError) assert.Equal(t, tt.mocks.cloned, clonedAction) assert.Equal(t, sar.RunContext.StepResults["step"], tt.result) sarm.AssertExpectations(t) cm.AssertExpectations(t) }) } } func TestStepActionRemotePre(t *testing.T) { table := []struct { name string stepModel *model.Step }{ { name: "run-pre", stepModel: &model.Step{ Uses: "org/repo/path@ref", }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { ctx := context.Background() clonedAction := false sarm := &stepActionRemoteMocks{} origStepAtionRemoteNewCloneExecutor := stepActionRemoteNewCloneExecutor stepActionRemoteNewCloneExecutor = func(_ git.NewGitCloneExecutorInput) common.Executor { return func(_ context.Context) error { clonedAction = true return nil } } defer (func() { stepActionRemoteNewCloneExecutor = origStepAtionRemoteNewCloneExecutor })() sar := &stepActionRemote{ Step: tt.stepModel, RunContext: &RunContext{ Config: &Config{ GitHubInstance: "https://github.com", }, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": {}, }, }, }, }, readAction: sarm.readAction, } suffixMatcher := func(suffix string) interface{} { return mock.MatchedBy(func(actionDir string) bool { return strings.HasSuffix(actionDir, suffix) }) } sarm.On("readAction", sar.Step, suffixMatcher("org-repo-path@ref"), "path", mock.Anything, mock.Anything).Return(&model.Action{}, nil) err := sar.pre()(ctx) assert.Nil(t, err) assert.Equal(t, true, clonedAction) sarm.AssertExpectations(t) }) } } func TestStepActionRemotePreThroughAction(t *testing.T) { table := []struct { name string stepModel *model.Step }{ { name: "run-pre", stepModel: &model.Step{ Uses: "org/repo/path@ref", }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { ctx := context.Background() clonedAction := false sarm := &stepActionRemoteMocks{} origStepAtionRemoteNewCloneExecutor := stepActionRemoteNewCloneExecutor stepActionRemoteNewCloneExecutor = func(input git.NewGitCloneExecutorInput) common.Executor { return func(_ context.Context) error { if input.URL == "https://github.com/org/repo" { clonedAction = true } return nil } } defer (func() { stepActionRemoteNewCloneExecutor = origStepAtionRemoteNewCloneExecutor })() sar := &stepActionRemote{ Step: tt.stepModel, RunContext: &RunContext{ Config: &Config{ GitHubInstance: "https://enterprise.github.com", ReplaceGheActionWithGithubCom: []string{"org/repo"}, }, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": {}, }, }, }, }, readAction: sarm.readAction, } suffixMatcher := func(suffix string) interface{} { return mock.MatchedBy(func(actionDir string) bool { return strings.HasSuffix(actionDir, suffix) }) } sarm.On("readAction", sar.Step, suffixMatcher("org-repo-path@ref"), "path", mock.Anything, mock.Anything).Return(&model.Action{}, nil) err := sar.pre()(ctx) assert.Nil(t, err) assert.Equal(t, true, clonedAction) sarm.AssertExpectations(t) }) } } func TestStepActionRemotePreThroughActionToken(t *testing.T) { table := []struct { name string stepModel *model.Step }{ { name: "run-pre", stepModel: &model.Step{ Uses: "org/repo/path@ref", }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { ctx := context.Background() clonedAction := false sarm := &stepActionRemoteMocks{} origStepAtionRemoteNewCloneExecutor := stepActionRemoteNewCloneExecutor stepActionRemoteNewCloneExecutor = func(input git.NewGitCloneExecutorInput) common.Executor { return func(_ context.Context) error { if input.URL == "https://github.com/org/repo" && input.Token == "PRIVATE_ACTIONS_TOKEN_ON_GITHUB" { clonedAction = true } return nil } } defer (func() { stepActionRemoteNewCloneExecutor = origStepAtionRemoteNewCloneExecutor })() sar := &stepActionRemote{ Step: tt.stepModel, RunContext: &RunContext{ Config: &Config{ GitHubInstance: "https://enterprise.github.com", ReplaceGheActionWithGithubCom: []string{"org/repo"}, ReplaceGheActionTokenWithGithubCom: "PRIVATE_ACTIONS_TOKEN_ON_GITHUB", }, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": {}, }, }, }, }, readAction: sarm.readAction, } suffixMatcher := func(suffix string) interface{} { return mock.MatchedBy(func(actionDir string) bool { return strings.HasSuffix(actionDir, suffix) }) } sarm.On("readAction", sar.Step, suffixMatcher("org-repo-path@ref"), "path", mock.Anything, mock.Anything).Return(&model.Action{}, nil) err := sar.pre()(ctx) assert.Nil(t, err) assert.Equal(t, true, clonedAction) sarm.AssertExpectations(t) }) } } func TestStepActionRemotePost(t *testing.T) { table := []struct { name string stepModel *model.Step actionModel *model.Action initialStepResults map[string]*model.StepResult IntraActionState map[string]map[string]string expectedEnv map[string]string err error mocks struct { env bool exec bool } }{ { name: "main-success", stepModel: &model.Step{ ID: "step", Uses: "remote/action@v1", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "always()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusSuccess, Outcome: model.StepStatusSuccess, Outputs: map[string]string{}, }, }, IntraActionState: map[string]map[string]string{ "step": { "key": "value", }, }, expectedEnv: map[string]string{ "STATE_key": "value", }, mocks: struct { env bool exec bool }{ env: true, exec: true, }, }, { name: "main-failed", stepModel: &model.Step{ ID: "step", Uses: "remote/action@v1", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "always()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusFailure, Outcome: model.StepStatusFailure, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: true, exec: true, }, }, { name: "skip-if-failed", stepModel: &model.Step{ ID: "step", Uses: "remote/action@v1", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "success()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusFailure, Outcome: model.StepStatusFailure, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: true, exec: false, }, }, { name: "skip-if-main-skipped", stepModel: &model.Step{ ID: "step", If: yaml.Node{Value: "failure()"}, Uses: "remote/action@v1", }, actionModel: &model.Action{ Runs: model.ActionRuns{ Using: "node16", Post: "post.js", PostIf: "always()", }, }, initialStepResults: map[string]*model.StepResult{ "step": { Conclusion: model.StepStatusSkipped, Outcome: model.StepStatusSkipped, Outputs: map[string]string{}, }, }, mocks: struct { env bool exec bool }{ env: false, exec: false, }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { ctx := context.Background() cm := &containerMock{} sar := &stepActionRemote{ env: map[string]string{}, RunContext: &RunContext{ Config: &Config{ GitHubInstance: "https://github.com", }, JobContainer: cm, Run: &model.Run{ JobID: "1", Workflow: &model.Workflow{ Jobs: map[string]*model.Job{ "1": {}, }, }, }, StepResults: tt.initialStepResults, IntraActionState: tt.IntraActionState, nodeToolFullPath: "node", }, Step: tt.stepModel, action: tt.actionModel, } sar.RunContext.ExprEval = sar.RunContext.NewExpressionEvaluator(ctx) if tt.mocks.exec { cm.On("Exec", []string{"node", "/var/run/act/actions/remote-action@v1/post.js"}, sar.env, "", "").Return(func(_ context.Context) error { return tt.err }) cm.On("Copy", "/var/run/act", mock.AnythingOfType("[]*container.FileEntry")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/envs.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/statecmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("UpdateFromEnv", "/var/run/act/workflow/outputcmd.txt", mock.AnythingOfType("*map[string]string")).Return(func(_ context.Context) error { return nil }) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/SUMMARY.md").Return(io.NopCloser(&bytes.Buffer{}), nil) cm.On("GetContainerArchive", ctx, "/var/run/act/workflow/pathcmd.txt").Return(io.NopCloser(&bytes.Buffer{}), nil) } err := sar.post()(ctx) assert.Equal(t, tt.err, err) if tt.expectedEnv != nil { for key, value := range tt.expectedEnv { assert.Equal(t, value, sar.env[key]) } } // Enshure that StepResults is nil in this test assert.Equal(t, sar.RunContext.StepResults["post-step"], (*model.StepResult)(nil)) cm.AssertExpectations(t) }) } } func Test_safeFilename(t *testing.T) { tests := []struct { s string want string }{ { s: "https://test.com/test/", want: "https---test.com-test-", }, { s: `<>:"/\|?*`, want: "---------", }, } for _, tt := range tests { t.Run(tt.s, func(t *testing.T) { assert.Equalf(t, tt.want, safeFilename(tt.s), "safeFilename(%v)", tt.s) }) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/workflowpattern/workflow_pattern.go
pkg/workflowpattern/workflow_pattern.go
package workflowpattern import ( "fmt" "regexp" "strings" ) type WorkflowPattern struct { Pattern string Negative bool Regex *regexp.Regexp } func CompilePattern(rawpattern string) (*WorkflowPattern, error) { negative := false pattern := rawpattern if strings.HasPrefix(rawpattern, "!") { negative = true pattern = rawpattern[1:] } rpattern, err := PatternToRegex(pattern) if err != nil { return nil, err } regex, err := regexp.Compile(rpattern) if err != nil { return nil, err } return &WorkflowPattern{ Pattern: pattern, Negative: negative, Regex: regex, }, nil } //nolint:gocyclo func PatternToRegex(pattern string) (string, error) { var rpattern strings.Builder rpattern.WriteString("^") pos := 0 errors := map[int]string{} for pos < len(pattern) { switch pattern[pos] { case '*': if pos+1 < len(pattern) && pattern[pos+1] == '*' { if pos+2 < len(pattern) && pattern[pos+2] == '/' { rpattern.WriteString("(.+/)?") pos += 3 } else { rpattern.WriteString(".*") pos += 2 } } else { rpattern.WriteString("[^/]*") pos++ } case '+', '?': if pos > 0 { rpattern.WriteByte(pattern[pos]) } else { rpattern.WriteString(regexp.QuoteMeta(string([]byte{pattern[pos]}))) } pos++ case '[': rpattern.WriteByte(pattern[pos]) pos++ if pos < len(pattern) && pattern[pos] == ']' { errors[pos] = "Unexpected empty brackets '[]'" pos++ break } validChar := func(a, b, test byte) bool { return test >= a && test <= b } startPos := pos for pos < len(pattern) && pattern[pos] != ']' { switch pattern[pos] { case '-': if pos <= startPos || pos+1 >= len(pattern) { errors[pos] = "Invalid range" pos++ break } validRange := func(a, b byte) bool { return validChar(a, b, pattern[pos-1]) && validChar(a, b, pattern[pos+1]) && pattern[pos-1] <= pattern[pos+1] } if !validRange('A', 'z') && !validRange('0', '9') { errors[pos] = "Ranges can only include a-z, A-Z, A-z, and 0-9" pos++ break } rpattern.WriteString(pattern[pos : pos+2]) pos += 2 default: if !validChar('A', 'z', pattern[pos]) && !validChar('0', '9', pattern[pos]) { errors[pos] = "Ranges can only include a-z, A-Z and 0-9" pos++ break } rpattern.WriteString(regexp.QuoteMeta(string([]byte{pattern[pos]}))) pos++ } } if pos >= len(pattern) || pattern[pos] != ']' { errors[pos] = "Missing closing bracket ']' after '['" pos++ } rpattern.WriteString("]") pos++ case '\\': if pos+1 >= len(pattern) { errors[pos] = "Missing symbol after \\" pos++ break } rpattern.WriteString(regexp.QuoteMeta(string([]byte{pattern[pos+1]}))) pos += 2 default: rpattern.WriteString(regexp.QuoteMeta(string([]byte{pattern[pos]}))) pos++ } } if len(errors) > 0 { var errorMessage strings.Builder for position, err := range errors { if errorMessage.Len() > 0 { errorMessage.WriteString(", ") } errorMessage.WriteString(fmt.Sprintf("Position: %d Error: %s", position, err)) } return "", fmt.Errorf("invalid Pattern '%s': %s", pattern, errorMessage.String()) } rpattern.WriteString("$") return rpattern.String(), nil } func CompilePatterns(patterns ...string) ([]*WorkflowPattern, error) { ret := []*WorkflowPattern{} for _, pattern := range patterns { cp, err := CompilePattern(pattern) if err != nil { return nil, err } ret = append(ret, cp) } return ret, nil } // returns true if the workflow should be skipped paths/branches func Skip(sequence []*WorkflowPattern, input []string, traceWriter TraceWriter) bool { if len(sequence) == 0 { return false } for _, file := range input { matched := false for _, item := range sequence { if item.Regex.MatchString(file) { pattern := item.Pattern if item.Negative { matched = false traceWriter.Info("%s excluded by pattern %s", file, pattern) } else { matched = true traceWriter.Info("%s included by pattern %s", file, pattern) } } } if matched { return false } } return true } // returns true if the workflow should be skipped paths-ignore/branches-ignore func Filter(sequence []*WorkflowPattern, input []string, traceWriter TraceWriter) bool { if len(sequence) == 0 { return false } for _, file := range input { matched := false for _, item := range sequence { if item.Regex.MatchString(file) == !item.Negative { pattern := item.Pattern traceWriter.Info("%s ignored by pattern %s", file, pattern) matched = true break } } if !matched { return false } } return true }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/workflowpattern/trace_writer.go
pkg/workflowpattern/trace_writer.go
package workflowpattern import "fmt" type TraceWriter interface { Info(string, ...interface{}) } type EmptyTraceWriter struct{} func (*EmptyTraceWriter) Info(string, ...interface{}) { } type StdOutTraceWriter struct{} func (*StdOutTraceWriter) Info(format string, args ...interface{}) { fmt.Printf(format+"\n", args...) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/workflowpattern/workflow_pattern_test.go
pkg/workflowpattern/workflow_pattern_test.go
package workflowpattern import ( "strings" "testing" "github.com/stretchr/testify/assert" ) func TestMatchPattern(t *testing.T) { kases := []struct { inputs []string patterns []string skipResult bool filterResult bool }{ { patterns: []string{"*"}, inputs: []string{"path/with/slash"}, skipResult: true, filterResult: false, }, { patterns: []string{"path/a", "path/b", "path/c"}, inputs: []string{"meta", "path/b", "otherfile"}, skipResult: false, filterResult: false, }, { patterns: []string{"path/a", "path/b", "path/c"}, inputs: []string{"path/b"}, skipResult: false, filterResult: true, }, { patterns: []string{"path/a", "path/b", "path/c"}, inputs: []string{"path/c", "path/b"}, skipResult: false, filterResult: true, }, { patterns: []string{"path/a", "path/b", "path/c"}, inputs: []string{"path/c", "path/b", "path/a"}, skipResult: false, filterResult: true, }, { patterns: []string{"path/a", "path/b", "path/c"}, inputs: []string{"path/c", "path/b", "path/d", "path/a"}, skipResult: false, filterResult: false, }, { patterns: []string{}, inputs: []string{}, skipResult: false, filterResult: false, }, { patterns: []string{"\\!file"}, inputs: []string{"!file"}, skipResult: false, filterResult: true, }, { patterns: []string{"escape\\\\backslash"}, inputs: []string{"escape\\backslash"}, skipResult: false, filterResult: true, }, { patterns: []string{".yml"}, inputs: []string{"fyml"}, skipResult: true, filterResult: false, }, // https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#patterns-to-match-branches-and-tags { patterns: []string{"feature/*"}, inputs: []string{"feature/my-branch"}, skipResult: false, filterResult: true, }, { patterns: []string{"feature/*"}, inputs: []string{"feature/your-branch"}, skipResult: false, filterResult: true, }, { patterns: []string{"feature/**"}, inputs: []string{"feature/beta-a/my-branch"}, skipResult: false, filterResult: true, }, { patterns: []string{"feature/**"}, inputs: []string{"feature/beta-a/my-branch"}, skipResult: false, filterResult: true, }, { patterns: []string{"feature/**"}, inputs: []string{"feature/mona/the/octocat"}, skipResult: false, filterResult: true, }, { patterns: []string{"main", "releases/mona-the-octocat"}, inputs: []string{"main"}, skipResult: false, filterResult: true, }, { patterns: []string{"main", "releases/mona-the-octocat"}, inputs: []string{"releases/mona-the-octocat"}, skipResult: false, filterResult: true, }, { patterns: []string{"*"}, inputs: []string{"main"}, skipResult: false, filterResult: true, }, { patterns: []string{"*"}, inputs: []string{"releases"}, skipResult: false, filterResult: true, }, { patterns: []string{"**"}, inputs: []string{"all/the/branches"}, skipResult: false, filterResult: true, }, { patterns: []string{"**"}, inputs: []string{"every/tag"}, skipResult: false, filterResult: true, }, { patterns: []string{"*feature"}, inputs: []string{"mona-feature"}, skipResult: false, filterResult: true, }, { patterns: []string{"*feature"}, inputs: []string{"feature"}, skipResult: false, filterResult: true, }, { patterns: []string{"*feature"}, inputs: []string{"ver-10-feature"}, skipResult: false, filterResult: true, }, { patterns: []string{"v2*"}, inputs: []string{"v2"}, skipResult: false, filterResult: true, }, { patterns: []string{"v2*"}, inputs: []string{"v2.0"}, skipResult: false, filterResult: true, }, { patterns: []string{"v2*"}, inputs: []string{"v2.9"}, skipResult: false, filterResult: true, }, { patterns: []string{"v[12].[0-9]+.[0-9]+"}, inputs: []string{"v1.10.1"}, skipResult: false, filterResult: true, }, { patterns: []string{"v[12].[0-9]+.[0-9]+"}, inputs: []string{"v2.0.0"}, skipResult: false, filterResult: true, }, // https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#patterns-to-match-file-paths { patterns: []string{"*"}, inputs: []string{"README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"*"}, inputs: []string{"server.rb"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.jsx?"}, inputs: []string{"page.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.jsx?"}, inputs: []string{"page.jsx"}, skipResult: false, filterResult: true, }, { patterns: []string{"**"}, inputs: []string{"all/the/files.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.js"}, inputs: []string{"app.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.js"}, inputs: []string{"index.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"**.js"}, inputs: []string{"index.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"**.js"}, inputs: []string{"js/index.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"**.js"}, inputs: []string{"src/js/app.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/*"}, inputs: []string{"docs/README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/*"}, inputs: []string{"docs/file.txt"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/**"}, inputs: []string{"docs/README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/**"}, inputs: []string{"docs/mona/octocat.txt"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/**/*.md"}, inputs: []string{"docs/README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/**/*.md"}, inputs: []string{"docs/mona/hello-world.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"docs/**/*.md"}, inputs: []string{"docs/a/markdown/file.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/docs/**"}, inputs: []string{"docs/hello.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/docs/**"}, inputs: []string{"dir/docs/my-file.txt"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/docs/**"}, inputs: []string{"space/docs/plan/space.doc"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/README.md"}, inputs: []string{"README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/README.md"}, inputs: []string{"js/README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/*src/**"}, inputs: []string{"a/src/app.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/*src/**"}, inputs: []string{"my-src/code/js/app.js"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/*-post.md"}, inputs: []string{"my-post.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/*-post.md"}, inputs: []string{"path/their-post.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/migrate-*.sql"}, inputs: []string{"migrate-10909.sql"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/migrate-*.sql"}, inputs: []string{"db/migrate-v1.0.sql"}, skipResult: false, filterResult: true, }, { patterns: []string{"**/migrate-*.sql"}, inputs: []string{"db/sept/migrate-v1.sql"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.md", "!README.md"}, inputs: []string{"hello.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.md", "!README.md"}, inputs: []string{"README.md"}, skipResult: true, filterResult: true, }, { patterns: []string{"*.md", "!README.md"}, inputs: []string{"docs/hello.md"}, skipResult: true, filterResult: true, }, { patterns: []string{"*.md", "!README.md", "README*"}, inputs: []string{"hello.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.md", "!README.md", "README*"}, inputs: []string{"README.md"}, skipResult: false, filterResult: true, }, { patterns: []string{"*.md", "!README.md", "README*"}, inputs: []string{"README.doc"}, skipResult: false, filterResult: true, }, } for _, kase := range kases { t.Run(strings.Join(kase.patterns, ","), func(t *testing.T) { patterns, err := CompilePatterns(kase.patterns...) assert.NoError(t, err) assert.EqualValues(t, kase.skipResult, Skip(patterns, kase.inputs, &StdOutTraceWriter{}), "skipResult") assert.EqualValues(t, kase.filterResult, Filter(patterns, kase.inputs, &StdOutTraceWriter{}), "filterResult") }) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/schema/schema_test.go
pkg/schema/schema_test.go
package schema import ( "testing" "github.com/stretchr/testify/assert" "gopkg.in/yaml.v3" ) func TestAdditionalFunctions(t *testing.T) { var node yaml.Node err := yaml.Unmarshal([]byte(` on: push jobs: job-with-condition: runs-on: self-hosted if: success() || success('joba', 'jobb') || failure() || failure('joba', 'jobb') || always() || cancelled() steps: - run: exit 0 `), &node) if !assert.NoError(t, err) { return } err = (&Node{ Definition: "workflow-root-strict", Schema: GetWorkflowSchema(), }).UnmarshalYAML(&node) assert.NoError(t, err) } func TestAdditionalFunctionsFailure(t *testing.T) { var node yaml.Node err := yaml.Unmarshal([]byte(` on: push jobs: job-with-condition: runs-on: self-hosted if: success() || success('joba', 'jobb') || failure() || failure('joba', 'jobb') || always('error') steps: - run: exit 0 `), &node) if !assert.NoError(t, err) { return } err = (&Node{ Definition: "workflow-root-strict", Schema: GetWorkflowSchema(), }).UnmarshalYAML(&node) assert.Error(t, err) } func TestAdditionalFunctionsSteps(t *testing.T) { var node yaml.Node err := yaml.Unmarshal([]byte(` on: push jobs: job-with-condition: runs-on: self-hosted steps: - run: exit 0 if: success() || failure() || always() `), &node) if !assert.NoError(t, err) { return } err = (&Node{ Definition: "workflow-root-strict", Schema: GetWorkflowSchema(), }).UnmarshalYAML(&node) assert.NoError(t, err) } func TestAdditionalFunctionsStepsExprSyntax(t *testing.T) { var node yaml.Node err := yaml.Unmarshal([]byte(` on: push jobs: job-with-condition: runs-on: self-hosted steps: - run: exit 0 if: ${{ success() || failure() || always() }} `), &node) if !assert.NoError(t, err) { return } err = (&Node{ Definition: "workflow-root-strict", Schema: GetWorkflowSchema(), }).UnmarshalYAML(&node) assert.NoError(t, err) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/schema/schema.go
pkg/schema/schema.go
package schema import ( _ "embed" "encoding/json" "errors" "fmt" "math" "regexp" "strconv" "strings" "github.com/rhysd/actionlint" "gopkg.in/yaml.v3" ) //go:embed workflow_schema.json var workflowSchema string //go:embed action_schema.json var actionSchema string var functions = regexp.MustCompile(`^([a-zA-Z0-9_]+)\(([0-9]+),([0-9]+|MAX)\)$`) type Schema struct { Definitions map[string]Definition } func (s *Schema) GetDefinition(name string) Definition { def, ok := s.Definitions[name] if !ok { switch name { case "any": return Definition{OneOf: &[]string{"sequence", "mapping", "number", "boolean", "string", "null"}} case "sequence": return Definition{Sequence: &SequenceDefinition{ItemType: "any"}} case "mapping": return Definition{Mapping: &MappingDefinition{LooseKeyType: "any", LooseValueType: "any"}} case "number": return Definition{Number: &NumberDefinition{}} case "string": return Definition{String: &StringDefinition{}} case "boolean": return Definition{Boolean: &BooleanDefinition{}} case "null": return Definition{Null: &NullDefinition{}} } } return def } type Definition struct { Context []string Mapping *MappingDefinition Sequence *SequenceDefinition OneOf *[]string `json:"one-of"` AllowedValues *[]string `json:"allowed-values"` String *StringDefinition Number *NumberDefinition Boolean *BooleanDefinition Null *NullDefinition } type MappingDefinition struct { Properties map[string]MappingProperty LooseKeyType string `json:"loose-key-type"` LooseValueType string `json:"loose-value-type"` } type MappingProperty struct { Type string Required bool } func (s *MappingProperty) UnmarshalJSON(data []byte) error { if json.Unmarshal(data, &s.Type) != nil { type MProp MappingProperty return json.Unmarshal(data, (*MProp)(s)) } return nil } type SequenceDefinition struct { ItemType string `json:"item-type"` } type StringDefinition struct { Constant string IsExpression bool `json:"is-expression"` } type NumberDefinition struct { } type BooleanDefinition struct { } type NullDefinition struct { } func GetWorkflowSchema() *Schema { sh := &Schema{} _ = json.Unmarshal([]byte(workflowSchema), sh) return sh } func GetActionSchema() *Schema { sh := &Schema{} _ = json.Unmarshal([]byte(actionSchema), sh) return sh } type Node struct { Definition string Schema *Schema Context []string } type FunctionInfo struct { name string min int max int } func (s *Node) checkSingleExpression(exprNode actionlint.ExprNode) error { if len(s.Context) == 0 { switch exprNode.Token().Kind { case actionlint.TokenKindInt: case actionlint.TokenKindFloat: case actionlint.TokenKindString: return nil default: return fmt.Errorf("expressions are not allowed here") } } funcs := s.GetFunctions() var err error actionlint.VisitExprNode(exprNode, func(node, _ actionlint.ExprNode, entering bool) { if funcCallNode, ok := node.(*actionlint.FuncCallNode); entering && ok { for _, v := range *funcs { if strings.EqualFold(funcCallNode.Callee, v.name) { if v.min > len(funcCallNode.Args) { err = errors.Join(err, fmt.Errorf("Missing parameters for %s expected >= %v got %v", funcCallNode.Callee, v.min, len(funcCallNode.Args))) } if v.max < len(funcCallNode.Args) { err = errors.Join(err, fmt.Errorf("Too many parameters for %s expected <= %v got %v", funcCallNode.Callee, v.max, len(funcCallNode.Args))) } return } } err = errors.Join(err, fmt.Errorf("Unknown Function Call %s", funcCallNode.Callee)) } if varNode, ok := node.(*actionlint.VariableNode); entering && ok { for _, v := range s.Context { if strings.EqualFold(varNode.Name, v) { return } } err = errors.Join(err, fmt.Errorf("Unknown Variable Access %s", varNode.Name)) } }) return err } func (s *Node) GetFunctions() *[]FunctionInfo { funcs := &[]FunctionInfo{} AddFunction(funcs, "contains", 2, 2) AddFunction(funcs, "endsWith", 2, 2) AddFunction(funcs, "format", 1, 255) AddFunction(funcs, "join", 1, 2) AddFunction(funcs, "startsWith", 2, 2) AddFunction(funcs, "toJson", 1, 1) AddFunction(funcs, "fromJson", 1, 1) for _, v := range s.Context { i := strings.Index(v, "(") if i == -1 { continue } smatch := functions.FindStringSubmatch(v) if len(smatch) > 0 { functionName := smatch[1] minParameters, _ := strconv.ParseInt(smatch[2], 10, 32) maxParametersRaw := smatch[3] var maxParameters int64 if strings.EqualFold(maxParametersRaw, "MAX") { maxParameters = math.MaxInt32 } else { maxParameters, _ = strconv.ParseInt(maxParametersRaw, 10, 32) } *funcs = append(*funcs, FunctionInfo{ name: functionName, min: int(minParameters), max: int(maxParameters), }) } } return funcs } func (s *Node) checkExpression(node *yaml.Node) (bool, error) { val := node.Value hadExpr := false var err error for { if i := strings.Index(val, "${{"); i != -1 { val = val[i+3:] } else { return hadExpr, err } hadExpr = true parser := actionlint.NewExprParser() lexer := actionlint.NewExprLexer(val) exprNode, parseErr := parser.Parse(lexer) if parseErr != nil { err = errors.Join(err, fmt.Errorf("%sFailed to parse: %s", formatLocation(node), parseErr.Message)) continue } val = val[lexer.Offset():] cerr := s.checkSingleExpression(exprNode) if cerr != nil { err = errors.Join(err, fmt.Errorf("%s%w", formatLocation(node), cerr)) } } } func AddFunction(funcs *[]FunctionInfo, s string, i1, i2 int) { *funcs = append(*funcs, FunctionInfo{ name: s, min: i1, max: i2, }) } func (s *Node) UnmarshalYAML(node *yaml.Node) error { if node != nil && node.Kind == yaml.DocumentNode { return s.UnmarshalYAML(node.Content[0]) } def := s.Schema.GetDefinition(s.Definition) if s.Context == nil { s.Context = def.Context } isExpr, err := s.checkExpression(node) if err != nil { return err } if isExpr { return nil } if def.Mapping != nil { return s.checkMapping(node, def) } else if def.Sequence != nil { return s.checkSequence(node, def) } else if def.OneOf != nil { return s.checkOneOf(def, node) } if node.Kind != yaml.ScalarNode { return fmt.Errorf("%sExpected a scalar got %v", formatLocation(node), getStringKind(node.Kind)) } if def.String != nil { return s.checkString(node, def) } else if def.Number != nil { var num float64 return node.Decode(&num) } else if def.Boolean != nil { var b bool return node.Decode(&b) } else if def.AllowedValues != nil { s := node.Value for _, v := range *def.AllowedValues { if s == v { return nil } } return fmt.Errorf("%sExpected one of %s got %s", formatLocation(node), strings.Join(*def.AllowedValues, ","), s) } else if def.Null != nil { var myNull *byte return node.Decode(&myNull) } return errors.ErrUnsupported } func (s *Node) checkString(node *yaml.Node, def Definition) error { val := node.Value if def.String.Constant != "" && def.String.Constant != val { return fmt.Errorf("%sExpected %s got %s", formatLocation(node), def.String.Constant, val) } if def.String.IsExpression { parser := actionlint.NewExprParser() lexer := actionlint.NewExprLexer(val + "}}") exprNode, parseErr := parser.Parse(lexer) if parseErr != nil { return fmt.Errorf("%sFailed to parse: %s", formatLocation(node), parseErr.Message) } cerr := s.checkSingleExpression(exprNode) if cerr != nil { return fmt.Errorf("%s%w", formatLocation(node), cerr) } } return nil } func (s *Node) checkOneOf(def Definition, node *yaml.Node) error { var allErrors error for _, v := range *def.OneOf { sub := &Node{ Definition: v, Schema: s.Schema, Context: append(append([]string{}, s.Context...), s.Schema.GetDefinition(v).Context...), } err := sub.UnmarshalYAML(node) if err == nil { return nil } allErrors = errors.Join(allErrors, fmt.Errorf("%sFailed to match %s: %w", formatLocation(node), v, err)) } return allErrors } func getStringKind(k yaml.Kind) string { switch k { case yaml.DocumentNode: return "document" case yaml.SequenceNode: return "sequence" case yaml.MappingNode: return "mapping" case yaml.ScalarNode: return "scalar" case yaml.AliasNode: return "alias" default: return "unknown" } } func (s *Node) checkSequence(node *yaml.Node, def Definition) error { if node.Kind != yaml.SequenceNode { return fmt.Errorf("%sExpected a sequence got %v", formatLocation(node), getStringKind(node.Kind)) } var allErrors error for _, v := range node.Content { allErrors = errors.Join(allErrors, (&Node{ Definition: def.Sequence.ItemType, Schema: s.Schema, Context: append(append([]string{}, s.Context...), s.Schema.GetDefinition(def.Sequence.ItemType).Context...), }).UnmarshalYAML(v)) } return allErrors } func formatLocation(node *yaml.Node) string { return fmt.Sprintf("Line: %v Column %v: ", node.Line, node.Column) } func (s *Node) checkMapping(node *yaml.Node, def Definition) error { if node.Kind != yaml.MappingNode { return fmt.Errorf("%sExpected a mapping got %v", formatLocation(node), getStringKind(node.Kind)) } insertDirective := regexp.MustCompile(`\${{\s*insert\s*}}`) var allErrors error for i, k := range node.Content { if i%2 == 0 { if insertDirective.MatchString(k.Value) { if len(s.Context) == 0 { allErrors = errors.Join(allErrors, fmt.Errorf("%sinsert is not allowed here", formatLocation(k))) } continue } isExpr, err := s.checkExpression(k) if err != nil { allErrors = errors.Join(allErrors, err) continue } if isExpr { continue } vdef, ok := def.Mapping.Properties[k.Value] if !ok { if def.Mapping.LooseValueType == "" { allErrors = errors.Join(allErrors, fmt.Errorf("%sUnknown Property %v", formatLocation(k), k.Value)) continue } vdef = MappingProperty{Type: def.Mapping.LooseValueType} } if err := (&Node{ Definition: vdef.Type, Schema: s.Schema, Context: append(append([]string{}, s.Context...), s.Schema.GetDefinition(vdef.Type).Context...), }).UnmarshalYAML(node.Content[i+1]); err != nil { allErrors = errors.Join(allErrors, err) continue } } } return allErrors }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/exprparser/interpreter_test.go
pkg/exprparser/interpreter_test.go
package exprparser import ( "math" "testing" "github.com/nektos/act/pkg/model" "github.com/stretchr/testify/assert" ) func TestLiterals(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"true", true, "true"}, {"false", false, "false"}, {"null", nil, "null"}, {"123", 123, "integer"}, {"-9.7", -9.7, "float"}, {"0xff", 255, "hex"}, {"-2.99e-2", -2.99e-2, "exponential"}, {"'foo'", "foo", "string"}, {"'it''s foo'", "it's foo", "string"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestOperators(t *testing.T) { table := []struct { input string expected interface{} name string error string }{ {"(false || (false || true))", true, "logical-grouping", ""}, {"github.action", "push", "property-dereference", ""}, {"github['action']", "push", "property-index", ""}, {"github.action[0]", nil, "string-index", ""}, {"github.action['0']", nil, "string-index", ""}, {"fromJSON('[0,1]')[1]", 1.0, "array-index", ""}, {"fromJSON('[0,1]')[1.1]", nil, "array-index", ""}, // Disabled weird things are happening // {"fromJSON('[0,1]')['1.1']", nil, "array-index", ""}, {"(github.event.commits.*.author.username)[0]", "someone", "array-index-0", ""}, {"fromJSON('[0,1]')[2]", nil, "array-index-out-of-bounds-0", ""}, {"fromJSON('[0,1]')[34553]", nil, "array-index-out-of-bounds-1", ""}, {"fromJSON('[0,1]')[-1]", nil, "array-index-out-of-bounds-2", ""}, {"fromJSON('[0,1]')[-34553]", nil, "array-index-out-of-bounds-3", ""}, {"!true", false, "not", ""}, {"1 < 2", true, "less-than", ""}, {`'b' <= 'a'`, false, "less-than-or-equal", ""}, {"1 > 2", false, "greater-than", ""}, {`'b' >= 'a'`, true, "greater-than-or-equal", ""}, {`'a' == 'a'`, true, "equal", ""}, {`'a' != 'a'`, false, "not-equal", ""}, {`true && false`, false, "and", ""}, {`true || false`, true, "or", ""}, {`fromJSON('{}') && true`, true, "and-boolean-object", ""}, {`fromJSON('{}') || false`, make(map[string]interface{}), "or-boolean-object", ""}, {"github.event.commits[0].author.username != github.event.commits[1].author.username", true, "property-comparison1", ""}, {"github.event.commits[0].author.username1 != github.event.commits[1].author.username", true, "property-comparison2", ""}, {"github.event.commits[0].author.username != github.event.commits[1].author.username1", true, "property-comparison3", ""}, {"github.event.commits[0].author.username1 != github.event.commits[1].author.username2", true, "property-comparison4", ""}, {"secrets != env", nil, "property-comparison5", "Compare not implemented for types: left: map, right: map"}, } env := &EvaluationEnvironment{ Github: &model.GithubContext{ Action: "push", Event: map[string]interface{}{ "commits": []interface{}{ map[string]interface{}{ "author": map[string]interface{}{ "username": "someone", }, }, map[string]interface{}{ "author": map[string]interface{}{ "username": "someone-else", }, }, }, }, }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) if tt.error != "" { assert.NotNil(t, err) assert.Equal(t, tt.error, err.Error()) } else { assert.Nil(t, err) } assert.Equal(t, tt.expected, output) }) } } func TestOperatorsCompare(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"!null", true, "not-null"}, {"!-10", false, "not-neg-num"}, {"!0", true, "not-zero"}, {"!3.14", false, "not-pos-float"}, {"!''", true, "not-empty-str"}, {"!'abc'", false, "not-str"}, {"!fromJSON('{}')", false, "not-obj"}, {"!fromJSON('[]')", false, "not-arr"}, {`null == 0 }}`, true, "null-coercion"}, {`true == 1 }}`, true, "boolean-coercion"}, {`'' == 0 }}`, true, "string-0-coercion"}, {`'3' == 3 }}`, true, "string-3-coercion"}, {`0 == null }}`, true, "null-coercion-alt"}, {`1 == true }}`, true, "boolean-coercion-alt"}, {`0 == '' }}`, true, "string-0-coercion-alt"}, {`3 == '3' }}`, true, "string-3-coercion-alt"}, {`'TEST' == 'test' }}`, true, "string-casing"}, {"true > false }}", true, "bool-greater-than"}, {"true >= false }}", true, "bool-greater-than-eq"}, {"true >= true }}", true, "bool-greater-than-1"}, {"true != false }}", true, "bool-not-equal"}, {`fromJSON('{}') < 2 }}`, false, "object-with-less"}, {`fromJSON('{}') < fromJSON('[]') }}`, false, "object/arr-with-lt"}, {`fromJSON('{}') > fromJSON('[]') }}`, false, "object/arr-with-gt"}, } env := &EvaluationEnvironment{ Github: &model.GithubContext{ Action: "push", }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestOperatorsBooleanEvaluation(t *testing.T) { table := []struct { input string expected interface{} name string }{ // true && {"true && true", true, "true-and"}, {"true && false", false, "true-and"}, {"true && null", nil, "true-and"}, {"true && -10", -10, "true-and"}, {"true && 0", 0, "true-and"}, {"true && 10", 10, "true-and"}, {"true && 3.14", 3.14, "true-and"}, {"true && 0.0", 0, "true-and"}, {"true && Infinity", math.Inf(1), "true-and"}, // {"true && -Infinity", math.Inf(-1), "true-and"}, {"true && NaN", math.NaN(), "true-and"}, {"true && ''", "", "true-and"}, {"true && 'abc'", "abc", "true-and"}, // false && {"false && true", false, "false-and"}, {"false && false", false, "false-and"}, {"false && null", false, "false-and"}, {"false && -10", false, "false-and"}, {"false && 0", false, "false-and"}, {"false && 10", false, "false-and"}, {"false && 3.14", false, "false-and"}, {"false && 0.0", false, "false-and"}, {"false && Infinity", false, "false-and"}, // {"false && -Infinity", false, "false-and"}, {"false && NaN", false, "false-and"}, {"false && ''", false, "false-and"}, {"false && 'abc'", false, "false-and"}, // true || {"true || true", true, "true-or"}, {"true || false", true, "true-or"}, {"true || null", true, "true-or"}, {"true || -10", true, "true-or"}, {"true || 0", true, "true-or"}, {"true || 10", true, "true-or"}, {"true || 3.14", true, "true-or"}, {"true || 0.0", true, "true-or"}, {"true || Infinity", true, "true-or"}, // {"true || -Infinity", true, "true-or"}, {"true || NaN", true, "true-or"}, {"true || ''", true, "true-or"}, {"true || 'abc'", true, "true-or"}, // false || {"false || true", true, "false-or"}, {"false || false", false, "false-or"}, {"false || null", nil, "false-or"}, {"false || -10", -10, "false-or"}, {"false || 0", 0, "false-or"}, {"false || 10", 10, "false-or"}, {"false || 3.14", 3.14, "false-or"}, {"false || 0.0", 0, "false-or"}, {"false || Infinity", math.Inf(1), "false-or"}, // {"false || -Infinity", math.Inf(-1), "false-or"}, {"false || NaN", math.NaN(), "false-or"}, {"false || ''", "", "false-or"}, {"false || 'abc'", "abc", "false-or"}, // null && {"null && true", nil, "null-and"}, {"null && false", nil, "null-and"}, {"null && null", nil, "null-and"}, {"null && -10", nil, "null-and"}, {"null && 0", nil, "null-and"}, {"null && 10", nil, "null-and"}, {"null && 3.14", nil, "null-and"}, {"null && 0.0", nil, "null-and"}, {"null && Infinity", nil, "null-and"}, // {"null && -Infinity", nil, "null-and"}, {"null && NaN", nil, "null-and"}, {"null && ''", nil, "null-and"}, {"null && 'abc'", nil, "null-and"}, // null || {"null || true", true, "null-or"}, {"null || false", false, "null-or"}, {"null || null", nil, "null-or"}, {"null || -10", -10, "null-or"}, {"null || 0", 0, "null-or"}, {"null || 10", 10, "null-or"}, {"null || 3.14", 3.14, "null-or"}, {"null || 0.0", 0, "null-or"}, {"null || Infinity", math.Inf(1), "null-or"}, // {"null || -Infinity", math.Inf(-1), "null-or"}, {"null || NaN", math.NaN(), "null-or"}, {"null || ''", "", "null-or"}, {"null || 'abc'", "abc", "null-or"}, // -10 && {"-10 && true", true, "neg-num-and"}, {"-10 && false", false, "neg-num-and"}, {"-10 && null", nil, "neg-num-and"}, {"-10 && -10", -10, "neg-num-and"}, {"-10 && 0", 0, "neg-num-and"}, {"-10 && 10", 10, "neg-num-and"}, {"-10 && 3.14", 3.14, "neg-num-and"}, {"-10 && 0.0", 0, "neg-num-and"}, {"-10 && Infinity", math.Inf(1), "neg-num-and"}, // {"-10 && -Infinity", math.Inf(-1), "neg-num-and"}, {"-10 && NaN", math.NaN(), "neg-num-and"}, {"-10 && ''", "", "neg-num-and"}, {"-10 && 'abc'", "abc", "neg-num-and"}, // -10 || {"-10 || true", -10, "neg-num-or"}, {"-10 || false", -10, "neg-num-or"}, {"-10 || null", -10, "neg-num-or"}, {"-10 || -10", -10, "neg-num-or"}, {"-10 || 0", -10, "neg-num-or"}, {"-10 || 10", -10, "neg-num-or"}, {"-10 || 3.14", -10, "neg-num-or"}, {"-10 || 0.0", -10, "neg-num-or"}, {"-10 || Infinity", -10, "neg-num-or"}, // {"-10 || -Infinity", -10, "neg-num-or"}, {"-10 || NaN", -10, "neg-num-or"}, {"-10 || ''", -10, "neg-num-or"}, {"-10 || 'abc'", -10, "neg-num-or"}, // 0 && {"0 && true", 0, "zero-and"}, {"0 && false", 0, "zero-and"}, {"0 && null", 0, "zero-and"}, {"0 && -10", 0, "zero-and"}, {"0 && 0", 0, "zero-and"}, {"0 && 10", 0, "zero-and"}, {"0 && 3.14", 0, "zero-and"}, {"0 && 0.0", 0, "zero-and"}, {"0 && Infinity", 0, "zero-and"}, // {"0 && -Infinity", 0, "zero-and"}, {"0 && NaN", 0, "zero-and"}, {"0 && ''", 0, "zero-and"}, {"0 && 'abc'", 0, "zero-and"}, // 0 || {"0 || true", true, "zero-or"}, {"0 || false", false, "zero-or"}, {"0 || null", nil, "zero-or"}, {"0 || -10", -10, "zero-or"}, {"0 || 0", 0, "zero-or"}, {"0 || 10", 10, "zero-or"}, {"0 || 3.14", 3.14, "zero-or"}, {"0 || 0.0", 0, "zero-or"}, {"0 || Infinity", math.Inf(1), "zero-or"}, // {"0 || -Infinity", math.Inf(-1), "zero-or"}, {"0 || NaN", math.NaN(), "zero-or"}, {"0 || ''", "", "zero-or"}, {"0 || 'abc'", "abc", "zero-or"}, // 10 && {"10 && true", true, "pos-num-and"}, {"10 && false", false, "pos-num-and"}, {"10 && null", nil, "pos-num-and"}, {"10 && -10", -10, "pos-num-and"}, {"10 && 0", 0, "pos-num-and"}, {"10 && 10", 10, "pos-num-and"}, {"10 && 3.14", 3.14, "pos-num-and"}, {"10 && 0.0", 0, "pos-num-and"}, {"10 && Infinity", math.Inf(1), "pos-num-and"}, // {"10 && -Infinity", math.Inf(-1), "pos-num-and"}, {"10 && NaN", math.NaN(), "pos-num-and"}, {"10 && ''", "", "pos-num-and"}, {"10 && 'abc'", "abc", "pos-num-and"}, // 10 || {"10 || true", 10, "pos-num-or"}, {"10 || false", 10, "pos-num-or"}, {"10 || null", 10, "pos-num-or"}, {"10 || -10", 10, "pos-num-or"}, {"10 || 0", 10, "pos-num-or"}, {"10 || 10", 10, "pos-num-or"}, {"10 || 3.14", 10, "pos-num-or"}, {"10 || 0.0", 10, "pos-num-or"}, {"10 || Infinity", 10, "pos-num-or"}, // {"10 || -Infinity", 10, "pos-num-or"}, {"10 || NaN", 10, "pos-num-or"}, {"10 || ''", 10, "pos-num-or"}, {"10 || 'abc'", 10, "pos-num-or"}, // 3.14 && {"3.14 && true", true, "pos-float-and"}, {"3.14 && false", false, "pos-float-and"}, {"3.14 && null", nil, "pos-float-and"}, {"3.14 && -10", -10, "pos-float-and"}, {"3.14 && 0", 0, "pos-float-and"}, {"3.14 && 10", 10, "pos-float-and"}, {"3.14 && 3.14", 3.14, "pos-float-and"}, {"3.14 && 0.0", 0, "pos-float-and"}, {"3.14 && Infinity", math.Inf(1), "pos-float-and"}, // {"3.14 && -Infinity", math.Inf(-1), "pos-float-and"}, {"3.14 && NaN", math.NaN(), "pos-float-and"}, {"3.14 && ''", "", "pos-float-and"}, {"3.14 && 'abc'", "abc", "pos-float-and"}, // 3.14 || {"3.14 || true", 3.14, "pos-float-or"}, {"3.14 || false", 3.14, "pos-float-or"}, {"3.14 || null", 3.14, "pos-float-or"}, {"3.14 || -10", 3.14, "pos-float-or"}, {"3.14 || 0", 3.14, "pos-float-or"}, {"3.14 || 10", 3.14, "pos-float-or"}, {"3.14 || 3.14", 3.14, "pos-float-or"}, {"3.14 || 0.0", 3.14, "pos-float-or"}, {"3.14 || Infinity", 3.14, "pos-float-or"}, // {"3.14 || -Infinity", 3.14, "pos-float-or"}, {"3.14 || NaN", 3.14, "pos-float-or"}, {"3.14 || ''", 3.14, "pos-float-or"}, {"3.14 || 'abc'", 3.14, "pos-float-or"}, // Infinity && {"Infinity && true", true, "pos-inf-and"}, {"Infinity && false", false, "pos-inf-and"}, {"Infinity && null", nil, "pos-inf-and"}, {"Infinity && -10", -10, "pos-inf-and"}, {"Infinity && 0", 0, "pos-inf-and"}, {"Infinity && 10", 10, "pos-inf-and"}, {"Infinity && 3.14", 3.14, "pos-inf-and"}, {"Infinity && 0.0", 0, "pos-inf-and"}, {"Infinity && Infinity", math.Inf(1), "pos-inf-and"}, // {"Infinity && -Infinity", math.Inf(-1), "pos-inf-and"}, {"Infinity && NaN", math.NaN(), "pos-inf-and"}, {"Infinity && ''", "", "pos-inf-and"}, {"Infinity && 'abc'", "abc", "pos-inf-and"}, // Infinity || {"Infinity || true", math.Inf(1), "pos-inf-or"}, {"Infinity || false", math.Inf(1), "pos-inf-or"}, {"Infinity || null", math.Inf(1), "pos-inf-or"}, {"Infinity || -10", math.Inf(1), "pos-inf-or"}, {"Infinity || 0", math.Inf(1), "pos-inf-or"}, {"Infinity || 10", math.Inf(1), "pos-inf-or"}, {"Infinity || 3.14", math.Inf(1), "pos-inf-or"}, {"Infinity || 0.0", math.Inf(1), "pos-inf-or"}, {"Infinity || Infinity", math.Inf(1), "pos-inf-or"}, // {"Infinity || -Infinity", math.Inf(1), "pos-inf-or"}, {"Infinity || NaN", math.Inf(1), "pos-inf-or"}, {"Infinity || ''", math.Inf(1), "pos-inf-or"}, {"Infinity || 'abc'", math.Inf(1), "pos-inf-or"}, // -Infinity && // {"-Infinity && true", true, "neg-inf-and"}, // {"-Infinity && false", false, "neg-inf-and"}, // {"-Infinity && null", nil, "neg-inf-and"}, // {"-Infinity && -10", -10, "neg-inf-and"}, // {"-Infinity && 0", 0, "neg-inf-and"}, // {"-Infinity && 10", 10, "neg-inf-and"}, // {"-Infinity && 3.14", 3.14, "neg-inf-and"}, // {"-Infinity && 0.0", 0, "neg-inf-and"}, // {"-Infinity && Infinity", math.Inf(1), "neg-inf-and"}, // {"-Infinity && -Infinity", math.Inf(-1), "neg-inf-and"}, // {"-Infinity && NaN", math.NaN(), "neg-inf-and"}, // {"-Infinity && ''", "", "neg-inf-and"}, // {"-Infinity && 'abc'", "abc", "neg-inf-and"}, // -Infinity || // {"-Infinity || true", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || false", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || null", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || -10", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || 0", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || 10", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || 3.14", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || 0.0", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || Infinity", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || -Infinity", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || NaN", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || ''", math.Inf(-1), "neg-inf-or"}, // {"-Infinity || 'abc'", math.Inf(-1), "neg-inf-or"}, // NaN && {"NaN && true", math.NaN(), "nan-and"}, {"NaN && false", math.NaN(), "nan-and"}, {"NaN && null", math.NaN(), "nan-and"}, {"NaN && -10", math.NaN(), "nan-and"}, {"NaN && 0", math.NaN(), "nan-and"}, {"NaN && 10", math.NaN(), "nan-and"}, {"NaN && 3.14", math.NaN(), "nan-and"}, {"NaN && 0.0", math.NaN(), "nan-and"}, {"NaN && Infinity", math.NaN(), "nan-and"}, // {"NaN && -Infinity", math.NaN(), "nan-and"}, {"NaN && NaN", math.NaN(), "nan-and"}, {"NaN && ''", math.NaN(), "nan-and"}, {"NaN && 'abc'", math.NaN(), "nan-and"}, // NaN || {"NaN || true", true, "nan-or"}, {"NaN || false", false, "nan-or"}, {"NaN || null", nil, "nan-or"}, {"NaN || -10", -10, "nan-or"}, {"NaN || 0", 0, "nan-or"}, {"NaN || 10", 10, "nan-or"}, {"NaN || 3.14", 3.14, "nan-or"}, {"NaN || 0.0", 0, "nan-or"}, {"NaN || Infinity", math.Inf(1), "nan-or"}, // {"NaN || -Infinity", math.Inf(-1), "nan-or"}, {"NaN || NaN", math.NaN(), "nan-or"}, {"NaN || ''", "", "nan-or"}, {"NaN || 'abc'", "abc", "nan-or"}, // "" && {"'' && true", "", "empty-str-and"}, {"'' && false", "", "empty-str-and"}, {"'' && null", "", "empty-str-and"}, {"'' && -10", "", "empty-str-and"}, {"'' && 0", "", "empty-str-and"}, {"'' && 10", "", "empty-str-and"}, {"'' && 3.14", "", "empty-str-and"}, {"'' && 0.0", "", "empty-str-and"}, {"'' && Infinity", "", "empty-str-and"}, // {"'' && -Infinity", "", "empty-str-and"}, {"'' && NaN", "", "empty-str-and"}, {"'' && ''", "", "empty-str-and"}, {"'' && 'abc'", "", "empty-str-and"}, // "" || {"'' || true", true, "empty-str-or"}, {"'' || false", false, "empty-str-or"}, {"'' || null", nil, "empty-str-or"}, {"'' || -10", -10, "empty-str-or"}, {"'' || 0", 0, "empty-str-or"}, {"'' || 10", 10, "empty-str-or"}, {"'' || 3.14", 3.14, "empty-str-or"}, {"'' || 0.0", 0, "empty-str-or"}, {"'' || Infinity", math.Inf(1), "empty-str-or"}, // {"'' || -Infinity", math.Inf(-1), "empty-str-or"}, {"'' || NaN", math.NaN(), "empty-str-or"}, {"'' || ''", "", "empty-str-or"}, {"'' || 'abc'", "abc", "empty-str-or"}, // "abc" && {"'abc' && true", true, "str-and"}, {"'abc' && false", false, "str-and"}, {"'abc' && null", nil, "str-and"}, {"'abc' && -10", -10, "str-and"}, {"'abc' && 0", 0, "str-and"}, {"'abc' && 10", 10, "str-and"}, {"'abc' && 3.14", 3.14, "str-and"}, {"'abc' && 0.0", 0, "str-and"}, {"'abc' && Infinity", math.Inf(1), "str-and"}, // {"'abc' && -Infinity", math.Inf(-1), "str-and"}, {"'abc' && NaN", math.NaN(), "str-and"}, {"'abc' && ''", "", "str-and"}, {"'abc' && 'abc'", "abc", "str-and"}, // "abc" || {"'abc' || true", "abc", "str-or"}, {"'abc' || false", "abc", "str-or"}, {"'abc' || null", "abc", "str-or"}, {"'abc' || -10", "abc", "str-or"}, {"'abc' || 0", "abc", "str-or"}, {"'abc' || 10", "abc", "str-or"}, {"'abc' || 3.14", "abc", "str-or"}, {"'abc' || 0.0", "abc", "str-or"}, {"'abc' || Infinity", "abc", "str-or"}, // {"'abc' || -Infinity", "abc", "str-or"}, {"'abc' || NaN", "abc", "str-or"}, {"'abc' || ''", "abc", "str-or"}, {"'abc' || 'abc'", "abc", "str-or"}, // extra tests {"0.0 && true", 0, "float-evaluation-0-alt"}, {"-1.5 && true", true, "float-evaluation-neg-alt"}, } env := &EvaluationEnvironment{ Github: &model.GithubContext{ Action: "push", }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) if expected, ok := tt.expected.(float64); ok && math.IsNaN(expected) { assert.True(t, math.IsNaN(output.(float64))) } else { assert.Equal(t, tt.expected, output) } }) } } func TestContexts(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"github.action", "push", "github-context"}, {"github.event.commits[0].message", nil, "github-context-noexist-prop"}, {"fromjson('{\"commits\":[]}').commits[0].message", nil, "github-context-noexist-prop"}, {"github.event.pull_request.labels.*.name", nil, "github-context-noexist-prop"}, {"env.TEST", "value", "env-context"}, {"job.status", "success", "job-context"}, {"steps.step-id.outputs.name", "value", "steps-context"}, {"steps.step-id.conclusion", "success", "steps-context-conclusion"}, {"steps.step-id.conclusion && true", true, "steps-context-conclusion"}, {"steps.step-id2.conclusion", "skipped", "steps-context-conclusion"}, {"steps.step-id2.conclusion && true", true, "steps-context-conclusion"}, {"steps.step-id.outcome", "success", "steps-context-outcome"}, {"steps.step-id['outcome']", "success", "steps-context-outcome"}, {"steps.step-id.outcome == 'success'", true, "steps-context-outcome"}, {"steps.step-id['outcome'] == 'success'", true, "steps-context-outcome"}, {"steps.step-id.outcome && true", true, "steps-context-outcome"}, {"steps['step-id']['outcome'] && true", true, "steps-context-outcome"}, {"steps.step-id2.outcome", "failure", "steps-context-outcome"}, {"steps.step-id2.outcome && true", true, "steps-context-outcome"}, // Disabled, since the interpreter is still too broken // {"contains(steps.*.outcome, 'success')", true, "steps-context-array-outcome"}, // {"contains(steps.*.outcome, 'failure')", true, "steps-context-array-outcome"}, // {"contains(steps.*.outputs.name, 'value')", true, "steps-context-array-outputs"}, {"runner.os", "Linux", "runner-context"}, {"secrets.name", "value", "secrets-context"}, {"vars.name", "value", "vars-context"}, {"strategy.fail-fast", true, "strategy-context"}, {"matrix.os", "Linux", "matrix-context"}, {"needs.job-id.outputs.output-name", "value", "needs-context"}, {"needs.job-id.result", "success", "needs-context"}, {"contains(needs.*.result, 'success')", true, "needs-wildcard-context-contains-success"}, {"contains(needs.*.result, 'failure')", false, "needs-wildcard-context-contains-failure"}, {"inputs.name", "value", "inputs-context"}, } env := &EvaluationEnvironment{ Github: &model.GithubContext{ Action: "push", }, Env: map[string]string{ "TEST": "value", }, Job: &model.JobContext{ Status: "success", }, Steps: map[string]*model.StepResult{ "step-id": { Outputs: map[string]string{ "name": "value", }, }, "step-id2": { Outcome: model.StepStatusFailure, Conclusion: model.StepStatusSkipped, }, }, Runner: map[string]interface{}{ "os": "Linux", "temp": "/tmp", "tool_cache": "/opt/hostedtoolcache", }, Secrets: map[string]string{ "name": "value", }, Vars: map[string]string{ "name": "value", }, Strategy: map[string]interface{}{ "fail-fast": true, }, Matrix: map[string]interface{}{ "os": "Linux", }, Needs: map[string]Needs{ "job-id": { Outputs: map[string]string{ "output-name": "value", }, Result: "success", }, "another-job-id": { Outputs: map[string]string{ "output-name": "value", }, Result: "success", }, }, Inputs: map[string]interface{}{ "name": "value", }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/exprparser/functions.go
pkg/exprparser/functions.go
package exprparser import ( "crypto/sha256" "encoding/hex" "encoding/json" "fmt" "io" "io/fs" "os" "path/filepath" "reflect" "strconv" "strings" "github.com/go-git/go-git/v5/plumbing/format/gitignore" "github.com/nektos/act/pkg/model" "github.com/rhysd/actionlint" ) func (impl *interperterImpl) contains(search, item reflect.Value) (bool, error) { switch search.Kind() { case reflect.String, reflect.Int, reflect.Float64, reflect.Bool, reflect.Invalid: return strings.Contains( strings.ToLower(impl.coerceToString(search).String()), strings.ToLower(impl.coerceToString(item).String()), ), nil case reflect.Slice: for i := 0; i < search.Len(); i++ { arrayItem := search.Index(i).Elem() result, err := impl.compareValues(arrayItem, item, actionlint.CompareOpNodeKindEq) if err != nil { return false, err } if isEqual, ok := result.(bool); ok && isEqual { return true, nil } } } return false, nil } func (impl *interperterImpl) startsWith(searchString, searchValue reflect.Value) (bool, error) { return strings.HasPrefix( strings.ToLower(impl.coerceToString(searchString).String()), strings.ToLower(impl.coerceToString(searchValue).String()), ), nil } func (impl *interperterImpl) endsWith(searchString, searchValue reflect.Value) (bool, error) { return strings.HasSuffix( strings.ToLower(impl.coerceToString(searchString).String()), strings.ToLower(impl.coerceToString(searchValue).String()), ), nil } const ( passThrough = iota bracketOpen bracketClose ) func (impl *interperterImpl) format(str reflect.Value, replaceValue ...reflect.Value) (string, error) { input := impl.coerceToString(str).String() output := "" replacementIndex := "" state := passThrough for _, character := range input { switch state { case passThrough: // normal buffer output switch character { case '{': state = bracketOpen case '}': state = bracketClose default: output += string(character) } case bracketOpen: // found { switch character { case '{': output += "{" replacementIndex = "" state = passThrough case '}': index, err := strconv.ParseInt(replacementIndex, 10, 32) if err != nil { return "", fmt.Errorf("The following format string is invalid: '%s'", input) } replacementIndex = "" if len(replaceValue) <= int(index) { return "", fmt.Errorf("The following format string references more arguments than were supplied: '%s'", input) } output += impl.coerceToString(replaceValue[index]).String() state = passThrough default: replacementIndex += string(character) } case bracketClose: // found } switch character { case '}': output += "}" replacementIndex = "" state = passThrough default: panic("Invalid format parser state") } } } if state != passThrough { switch state { case bracketOpen: return "", fmt.Errorf("Unclosed brackets. The following format string is invalid: '%s'", input) case bracketClose: return "", fmt.Errorf("Closing bracket without opening one. The following format string is invalid: '%s'", input) } } return output, nil } func (impl *interperterImpl) join(array reflect.Value, sep reflect.Value) (string, error) { separator := impl.coerceToString(sep).String() switch array.Kind() { case reflect.Slice: var items []string for i := 0; i < array.Len(); i++ { items = append(items, impl.coerceToString(array.Index(i).Elem()).String()) } return strings.Join(items, separator), nil default: return strings.Join([]string{impl.coerceToString(array).String()}, separator), nil } } func (impl *interperterImpl) toJSON(value reflect.Value) (string, error) { if value.Kind() == reflect.Invalid { return "null", nil } json, err := json.MarshalIndent(value.Interface(), "", " ") if err != nil { return "", fmt.Errorf("Cannot convert value to JSON. Cause: %v", err) } return string(json), nil } func (impl *interperterImpl) fromJSON(value reflect.Value) (interface{}, error) { if value.Kind() != reflect.String { return nil, fmt.Errorf("Cannot parse non-string type %v as JSON", value.Kind()) } var data interface{} err := json.Unmarshal([]byte(value.String()), &data) if err != nil { return nil, fmt.Errorf("Invalid JSON: %v", err) } return data, nil } func (impl *interperterImpl) hashFiles(paths ...reflect.Value) (string, error) { var ps []gitignore.Pattern const cwdPrefix = "." + string(filepath.Separator) const excludeCwdPrefix = "!" + cwdPrefix for _, path := range paths { if path.Kind() == reflect.String { cleanPath := path.String() if strings.HasPrefix(cleanPath, cwdPrefix) { cleanPath = cleanPath[len(cwdPrefix):] } else if strings.HasPrefix(cleanPath, excludeCwdPrefix) { cleanPath = "!" + cleanPath[len(excludeCwdPrefix):] } ps = append(ps, gitignore.ParsePattern(cleanPath, nil)) } else { return "", fmt.Errorf("Non-string path passed to hashFiles") } } matcher := gitignore.NewMatcher(ps) var files []string if err := filepath.Walk(impl.config.WorkingDir, func(path string, fi fs.FileInfo, err error) error { if err != nil { return err } sansPrefix := strings.TrimPrefix(path, impl.config.WorkingDir+string(filepath.Separator)) parts := strings.Split(sansPrefix, string(filepath.Separator)) if fi.IsDir() || !matcher.Match(parts, fi.IsDir()) { return nil } files = append(files, path) return nil }); err != nil { return "", fmt.Errorf("Unable to filepath.Walk: %v", err) } if len(files) == 0 { return "", nil } hasher := sha256.New() for _, file := range files { f, err := os.Open(file) if err != nil { return "", fmt.Errorf("Unable to os.Open: %v", err) } if _, err := io.Copy(hasher, f); err != nil { return "", fmt.Errorf("Unable to io.Copy: %v", err) } if err := f.Close(); err != nil { return "", fmt.Errorf("Unable to Close file: %v", err) } } return hex.EncodeToString(hasher.Sum(nil)), nil } func (impl *interperterImpl) getNeedsTransitive(job *model.Job) []string { needs := job.Needs() for _, need := range needs { parentNeeds := impl.getNeedsTransitive(impl.config.Run.Workflow.GetJob(need)) needs = append(needs, parentNeeds...) } return needs } func (impl *interperterImpl) always() (bool, error) { return true, nil } func (impl *interperterImpl) jobSuccess() (bool, error) { jobs := impl.config.Run.Workflow.Jobs jobNeeds := impl.getNeedsTransitive(impl.config.Run.Job()) for _, needs := range jobNeeds { if jobs[needs].Result != "success" { return false, nil } } return true, nil } func (impl *interperterImpl) stepSuccess() (bool, error) { return impl.env.Job.Status == "success", nil } func (impl *interperterImpl) jobFailure() (bool, error) { jobs := impl.config.Run.Workflow.Jobs jobNeeds := impl.getNeedsTransitive(impl.config.Run.Job()) for _, needs := range jobNeeds { if jobs[needs].Result == "failure" { return true, nil } } return false, nil } func (impl *interperterImpl) stepFailure() (bool, error) { return impl.env.Job.Status == "failure", nil } func (impl *interperterImpl) cancelled() (bool, error) { return impl.env.Job.Status == "cancelled", nil }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/exprparser/functions_test.go
pkg/exprparser/functions_test.go
package exprparser import ( "path/filepath" "testing" "github.com/nektos/act/pkg/model" "github.com/stretchr/testify/assert" ) func TestFunctionContains(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"contains('search', 'item') }}", false, "contains-str-str"}, {`cOnTaInS('Hello', 'll') }}`, true, "contains-str-casing"}, {`contains('HELLO', 'll') }}`, true, "contains-str-casing"}, {`contains('3.141592', 3.14) }}`, true, "contains-str-number"}, {`contains(3.141592, '3.14') }}`, true, "contains-number-str"}, {`contains(3.141592, 3.14) }}`, true, "contains-number-number"}, {`contains(true, 'u') }}`, true, "contains-bool-str"}, {`contains(null, '') }}`, true, "contains-null-str"}, {`contains(fromJSON('["first","second"]'), 'first') }}`, true, "contains-item"}, {`contains(fromJSON('[null,"second"]'), '') }}`, true, "contains-item-null-empty-str"}, {`contains(fromJSON('["","second"]'), null) }}`, true, "contains-item-empty-str-null"}, {`contains(fromJSON('[true,"second"]'), 'true') }}`, false, "contains-item-bool-arr"}, {`contains(fromJSON('["true","second"]'), true) }}`, false, "contains-item-str-bool"}, {`contains(fromJSON('[3.14,"second"]'), '3.14') }}`, true, "contains-item-number-str"}, {`contains(fromJSON('[3.14,"second"]'), 3.14) }}`, true, "contains-item-number-number"}, {`contains(fromJSON('["","second"]'), fromJSON('[]')) }}`, false, "contains-item-str-arr"}, {`contains(fromJSON('["","second"]'), fromJSON('{}')) }}`, false, "contains-item-str-obj"}, {`contains(fromJSON('[{ "first": { "result": "success" }},{ "second": { "result": "success" }}]').first.result, 'success') }}`, true, "multiple-contains-item"}, {`contains(fromJSON('[{ "result": "success" },{ "result": "failure" }]').*.result, 'failure') }}`, true, "multiple-contains-dereferenced-failure-item"}, {`contains(fromJSON('[{ "result": "failure" },{ "result": "success" }]').*.result, 'success') }}`, true, "multiple-contains-dereferenced-success-item"}, {`contains(fromJSON('[{ "result": "failure" },{ "result": "success" }]').*.result, 'notthere') }}`, false, "multiple-contains-dereferenced-missing-item"}, {`contains(fromJSON('[{ "result": "failure", "outputs": { "key": "val1" } },{ "result": "success", "outputs": { "key": "val2" } }]').*.outputs.key, 'val1') }}`, true, "multiple-contains-dereferenced-output-item"}, {`contains(fromJSON('[{ "result": "failure", "outputs": { "key": "val1" } },{ "result": "success", "outputs": { "key": "val2" } }]').*.outputs.key, 'val2') }}`, true, "multiple-contains-dereferenced-output-item-2"}, {`contains(fromJSON('[{ "result": "failure", "outputs": { "key": "val1" } },{ "result": "success", "outputs": { "key": "val2" } }]').*.outputs.key, 'missing') }}`, false, "multiple-contains-dereferenced-output-misssing-item"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionStartsWith(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"startsWith('search', 'se') }}", true, "startswith-string"}, {"startsWith('search', 'sa') }}", false, "startswith-string"}, {"startsWith('123search', '123s') }}", true, "startswith-string"}, {"startsWith(123, 's') }}", false, "startswith-string"}, {"startsWith(123, '12') }}", true, "startswith-string"}, {"startsWith('123', 12) }}", true, "startswith-string"}, {"startsWith(null, '42') }}", false, "startswith-string"}, {"startsWith('null', null) }}", true, "startswith-string"}, {"startsWith('null', '') }}", true, "startswith-string"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionEndsWith(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"endsWith('search', 'ch') }}", true, "endsWith-string"}, {"endsWith('search', 'sa') }}", false, "endsWith-string"}, {"endsWith('search123s', '123s') }}", true, "endsWith-string"}, {"endsWith(123, 's') }}", false, "endsWith-string"}, {"endsWith(123, '23') }}", true, "endsWith-string"}, {"endsWith('123', 23) }}", true, "endsWith-string"}, {"endsWith(null, '42') }}", false, "endsWith-string"}, {"endsWith('null', null) }}", true, "endsWith-string"}, {"endsWith('null', '') }}", true, "endsWith-string"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionJoin(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"join(fromJSON('[\"a\", \"b\"]'), ',')", "a,b", "join-arr"}, {"join('string', ',')", "string", "join-str"}, {"join(1, ',')", "1", "join-number"}, {"join(null, ',')", "", "join-number"}, {"join(fromJSON('[\"a\", \"b\", null]'), null)", "ab", "join-number"}, {"join(fromJSON('[\"a\", \"b\"]'))", "a,b", "join-number"}, {"join(fromJSON('[\"a\", \"b\", null]'), 1)", "a1b1", "join-number"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionToJSON(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"toJSON(env) }}", "{\n \"key\": \"value\"\n}", "toJSON"}, {"toJSON(null)", "null", "toJSON-null"}, } env := &EvaluationEnvironment{ Env: map[string]string{ "key": "value", }, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionFromJSON(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"fromJSON('{\"foo\":\"bar\"}') }}", map[string]interface{}{ "foo": "bar", }, "fromJSON"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionHashFiles(t *testing.T) { table := []struct { input string expected interface{} name string }{ {"hashFiles('**/non-extant-files') }}", "", "hash-non-existing-file"}, {"hashFiles('**/non-extant-files', '**/more-non-extant-files') }}", "", "hash-multiple-non-existing-files"}, {"hashFiles('./for-hashing-1.txt') }}", "66a045b452102c59d840ec097d59d9467e13a3f34f6494e539ffd32c1bb35f18", "hash-single-file"}, {"hashFiles('./for-hashing-*.txt') }}", "8e5935e7e13368cd9688fe8f48a0955293676a021562582c7e848dafe13fb046", "hash-multiple-files"}, {"hashFiles('./for-hashing-*.txt', '!./for-hashing-2.txt') }}", "66a045b452102c59d840ec097d59d9467e13a3f34f6494e539ffd32c1bb35f18", "hash-negative-pattern"}, {"hashFiles('./for-hashing-**') }}", "c418ba693753c84115ced0da77f876cddc662b9054f4b129b90f822597ee2f94", "hash-multiple-files-and-directories"}, {"hashFiles('./for-hashing-3/**') }}", "6f5696b546a7a9d6d42a449dc9a56bef244aaa826601ef27466168846139d2c2", "hash-nested-directories"}, {"hashFiles('./for-hashing-3/**/nested-data.txt') }}", "8ecadfb49f7f978d0a9f3a957e9c8da6cc9ab871f5203b5d9f9d1dc87d8af18c", "hash-nested-directories-2"}, } env := &EvaluationEnvironment{} for _, tt := range table { t.Run(tt.name, func(t *testing.T) { workdir, err := filepath.Abs("testdata") assert.Nil(t, err) output, err := NewInterpeter(env, Config{WorkingDir: workdir}).Evaluate(tt.input, DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, tt.expected, output) }) } } func TestFunctionFormat(t *testing.T) { table := []struct { input string expected interface{} error interface{} name string }{ {"format('text')", "text", nil, "format-plain-string"}, {"format('Hello {0} {1} {2}!', 'Mona', 'the', 'Octocat')", "Hello Mona the Octocat!", nil, "format-with-placeholders"}, {"format('{{Hello {0} {1} {2}!}}', 'Mona', 'the', 'Octocat')", "{Hello Mona the Octocat!}", nil, "format-with-escaped-braces"}, {"format('{{0}}', 'test')", "{0}", nil, "format-with-escaped-braces"}, {"format('{{{0}}}', 'test')", "{test}", nil, "format-with-escaped-braces-and-value"}, {"format('}}')", "}", nil, "format-output-closing-brace"}, {`format('Hello "{0}" {1} {2} {3} {4}', null, true, -3.14, NaN, Infinity)`, `Hello "" true -3.14 NaN Infinity`, nil, "format-with-primitives"}, {`format('Hello "{0}" {1} {2}', fromJSON('[0, true, "abc"]'), fromJSON('[{"a":1}]'), fromJSON('{"a":{"b":1}}'))`, `Hello "Array" Array Object`, nil, "format-with-complex-types"}, {"format(true)", "true", nil, "format-with-primitive-args"}, {"format('echo Hello {0} ${{Test}}', github.undefined_property)", "echo Hello ${Test}", nil, "format-with-undefined-value"}, {"format('{0}}', '{1}', 'World')", nil, "Closing bracket without opening one. The following format string is invalid: '{0}}'", "format-invalid-format-string"}, {"format('{0', '{1}', 'World')", nil, "Unclosed brackets. The following format string is invalid: '{0'", "format-invalid-format-string"}, {"format('{2}', '{1}', 'World')", "", "The following format string references more arguments than were supplied: '{2}'", "format-invalid-replacement-reference"}, {"format('{2147483648}')", "", "The following format string is invalid: '{2147483648}'", "format-invalid-replacement-reference"}, {"format('{0} {1} {2} {3}', 1.0, 1.1, 1234567890.0, 12345678901234567890.0)", "1 1.1 1234567890 1.23456789012346E+19", nil, "format-floats"}, } env := &EvaluationEnvironment{ Github: &model.GithubContext{}, } for _, tt := range table { t.Run(tt.name, func(t *testing.T) { output, err := NewInterpeter(env, Config{}).Evaluate(tt.input, DefaultStatusCheckNone) if tt.error != nil { assert.Equal(t, tt.error, err.Error()) } else { assert.Nil(t, err) assert.Equal(t, tt.expected, output) } }) } } func TestMapContains(t *testing.T) { env := &EvaluationEnvironment{ Needs: map[string]Needs{ "first-job": { Outputs: map[string]string{}, Result: "success", }, "second-job": { Outputs: map[string]string{}, Result: "failure", }, }, } output, err := NewInterpeter(env, Config{}).Evaluate("contains(needs.*.result, 'failure')", DefaultStatusCheckNone) assert.Nil(t, err) assert.Equal(t, true, output) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/pkg/exprparser/interpreter.go
pkg/exprparser/interpreter.go
package exprparser import ( "encoding" "fmt" "math" "reflect" "strings" "github.com/nektos/act/pkg/model" "github.com/rhysd/actionlint" ) type EvaluationEnvironment struct { Github *model.GithubContext Env map[string]string Job *model.JobContext Jobs *map[string]*model.WorkflowCallResult Steps map[string]*model.StepResult Runner map[string]interface{} Secrets map[string]string Vars map[string]string Strategy map[string]interface{} Matrix map[string]interface{} Needs map[string]Needs Inputs map[string]interface{} HashFiles func([]reflect.Value) (interface{}, error) } type Needs struct { Outputs map[string]string `json:"outputs"` Result string `json:"result"` } type Config struct { Run *model.Run WorkingDir string Context string } type DefaultStatusCheck int const ( DefaultStatusCheckNone DefaultStatusCheck = iota DefaultStatusCheckSuccess DefaultStatusCheckAlways DefaultStatusCheckCanceled DefaultStatusCheckFailure ) func (dsc DefaultStatusCheck) String() string { switch dsc { case DefaultStatusCheckSuccess: return "success" case DefaultStatusCheckAlways: return "always" case DefaultStatusCheckCanceled: return "cancelled" case DefaultStatusCheckFailure: return "failure" } return "" } type Interpreter interface { Evaluate(input string, defaultStatusCheck DefaultStatusCheck) (interface{}, error) } type interperterImpl struct { env *EvaluationEnvironment config Config } func NewInterpeter(env *EvaluationEnvironment, config Config) Interpreter { return &interperterImpl{ env: env, config: config, } } func (impl *interperterImpl) Evaluate(input string, defaultStatusCheck DefaultStatusCheck) (interface{}, error) { input = strings.TrimPrefix(input, "${{") if defaultStatusCheck != DefaultStatusCheckNone && input == "" { input = "success()" } parser := actionlint.NewExprParser() exprNode, err := parser.Parse(actionlint.NewExprLexer(input + "}}")) if err != nil { return nil, fmt.Errorf("Failed to parse: %s", err.Message) } if defaultStatusCheck != DefaultStatusCheckNone { hasStatusCheckFunction := false actionlint.VisitExprNode(exprNode, func(node, _ actionlint.ExprNode, entering bool) { if funcCallNode, ok := node.(*actionlint.FuncCallNode); entering && ok { switch strings.ToLower(funcCallNode.Callee) { case "success", "always", "cancelled", "failure": hasStatusCheckFunction = true } } }) if !hasStatusCheckFunction { exprNode = &actionlint.LogicalOpNode{ Kind: actionlint.LogicalOpNodeKindAnd, Left: &actionlint.FuncCallNode{ Callee: defaultStatusCheck.String(), Args: []actionlint.ExprNode{}, }, Right: exprNode, } } } result, err2 := impl.evaluateNode(exprNode) return result, err2 } func (impl *interperterImpl) evaluateNode(exprNode actionlint.ExprNode) (interface{}, error) { switch node := exprNode.(type) { case *actionlint.VariableNode: return impl.evaluateVariable(node) case *actionlint.BoolNode: return node.Value, nil case *actionlint.NullNode: return nil, nil case *actionlint.IntNode: return node.Value, nil case *actionlint.FloatNode: return node.Value, nil case *actionlint.StringNode: return node.Value, nil case *actionlint.IndexAccessNode: return impl.evaluateIndexAccess(node) case *actionlint.ObjectDerefNode: return impl.evaluateObjectDeref(node) case *actionlint.ArrayDerefNode: return impl.evaluateArrayDeref(node) case *actionlint.NotOpNode: return impl.evaluateNot(node) case *actionlint.CompareOpNode: return impl.evaluateCompare(node) case *actionlint.LogicalOpNode: return impl.evaluateLogicalCompare(node) case *actionlint.FuncCallNode: return impl.evaluateFuncCall(node) default: return nil, fmt.Errorf("Fatal error! Unknown node type: %s node: %+v", reflect.TypeOf(exprNode), exprNode) } } func (impl *interperterImpl) evaluateVariable(variableNode *actionlint.VariableNode) (interface{}, error) { switch strings.ToLower(variableNode.Name) { case "github": return impl.env.Github, nil case "env": return impl.env.Env, nil case "job": return impl.env.Job, nil case "jobs": if impl.env.Jobs == nil { return nil, fmt.Errorf("Unavailable context: jobs") } return impl.env.Jobs, nil case "steps": return impl.env.Steps, nil case "runner": return impl.env.Runner, nil case "secrets": return impl.env.Secrets, nil case "vars": return impl.env.Vars, nil case "strategy": return impl.env.Strategy, nil case "matrix": return impl.env.Matrix, nil case "needs": return impl.env.Needs, nil case "inputs": return impl.env.Inputs, nil case "infinity": return math.Inf(1), nil case "nan": return math.NaN(), nil default: return nil, fmt.Errorf("Unavailable context: %s", variableNode.Name) } } func (impl *interperterImpl) evaluateIndexAccess(indexAccessNode *actionlint.IndexAccessNode) (interface{}, error) { left, err := impl.evaluateNode(indexAccessNode.Operand) if err != nil { return nil, err } leftValue := reflect.ValueOf(left) right, err := impl.evaluateNode(indexAccessNode.Index) if err != nil { return nil, err } rightValue := reflect.ValueOf(right) switch rightValue.Kind() { case reflect.String: return impl.getPropertyValue(leftValue, rightValue.String()) case reflect.Int: switch leftValue.Kind() { case reflect.Slice: if rightValue.Int() < 0 || rightValue.Int() >= int64(leftValue.Len()) { return nil, nil } return leftValue.Index(int(rightValue.Int())).Interface(), nil default: return nil, nil } default: return nil, nil } } func (impl *interperterImpl) evaluateObjectDeref(objectDerefNode *actionlint.ObjectDerefNode) (interface{}, error) { left, err := impl.evaluateNode(objectDerefNode.Receiver) if err != nil { return nil, err } _, receiverIsDeref := objectDerefNode.Receiver.(*actionlint.ArrayDerefNode) if receiverIsDeref { return impl.getPropertyValueDereferenced(reflect.ValueOf(left), objectDerefNode.Property) } return impl.getPropertyValue(reflect.ValueOf(left), objectDerefNode.Property) } func (impl *interperterImpl) evaluateArrayDeref(arrayDerefNode *actionlint.ArrayDerefNode) (interface{}, error) { left, err := impl.evaluateNode(arrayDerefNode.Receiver) if err != nil { return nil, err } return impl.getSafeValue(reflect.ValueOf(left)), nil } func (impl *interperterImpl) getPropertyValue(left reflect.Value, property string) (value interface{}, err error) { switch left.Kind() { case reflect.Ptr: return impl.getPropertyValue(left.Elem(), property) case reflect.Struct: leftType := left.Type() for i := 0; i < leftType.NumField(); i++ { jsonName := leftType.Field(i).Tag.Get("json") if jsonName == property { property = leftType.Field(i).Name break } } fieldValue := left.FieldByNameFunc(func(name string) bool { return strings.EqualFold(name, property) }) if fieldValue.Kind() == reflect.Invalid { return "", nil } i := fieldValue.Interface() // The type stepStatus int is an integer, but should be treated as string if m, ok := i.(encoding.TextMarshaler); ok { text, err := m.MarshalText() if err != nil { return nil, err } return string(text), nil } return i, nil case reflect.Map: iter := left.MapRange() for iter.Next() { key := iter.Key() switch key.Kind() { case reflect.String: if strings.EqualFold(key.String(), property) { return impl.getMapValue(iter.Value()) } default: return nil, fmt.Errorf("'%s' in map key not implemented", key.Kind()) } } return nil, nil case reflect.Slice: var values []interface{} for i := 0; i < left.Len(); i++ { value, err := impl.getPropertyValue(left.Index(i).Elem(), property) if err != nil { return nil, err } values = append(values, value) } return values, nil } return nil, nil } func (impl *interperterImpl) getPropertyValueDereferenced(left reflect.Value, property string) (value interface{}, err error) { switch left.Kind() { case reflect.Ptr: return impl.getPropertyValue(left, property) case reflect.Struct: return impl.getPropertyValue(left, property) case reflect.Map: iter := left.MapRange() var values []interface{} for iter.Next() { value, err := impl.getPropertyValue(iter.Value(), property) if err != nil { return nil, err } values = append(values, value) } return values, nil case reflect.Slice: return impl.getPropertyValue(left, property) } return nil, nil } func (impl *interperterImpl) getMapValue(value reflect.Value) (interface{}, error) { if value.Kind() == reflect.Ptr { return impl.getMapValue(value.Elem()) } return value.Interface(), nil } func (impl *interperterImpl) evaluateNot(notNode *actionlint.NotOpNode) (interface{}, error) { operand, err := impl.evaluateNode(notNode.Operand) if err != nil { return nil, err } return !IsTruthy(operand), nil } func (impl *interperterImpl) evaluateCompare(compareNode *actionlint.CompareOpNode) (interface{}, error) { left, err := impl.evaluateNode(compareNode.Left) if err != nil { return nil, err } right, err := impl.evaluateNode(compareNode.Right) if err != nil { return nil, err } leftValue := reflect.ValueOf(left) rightValue := reflect.ValueOf(right) return impl.compareValues(leftValue, rightValue, compareNode.Kind) } func (impl *interperterImpl) compareValues(leftValue reflect.Value, rightValue reflect.Value, kind actionlint.CompareOpNodeKind) (interface{}, error) { if leftValue.Kind() != rightValue.Kind() { if !impl.isNumber(leftValue) { leftValue = impl.coerceToNumber(leftValue) } if !impl.isNumber(rightValue) { rightValue = impl.coerceToNumber(rightValue) } } switch leftValue.Kind() { case reflect.Bool: return impl.compareNumber(float64(impl.coerceToNumber(leftValue).Int()), float64(impl.coerceToNumber(rightValue).Int()), kind) case reflect.String: return impl.compareString(strings.ToLower(leftValue.String()), strings.ToLower(rightValue.String()), kind) case reflect.Int: if rightValue.Kind() == reflect.Float64 { return impl.compareNumber(float64(leftValue.Int()), rightValue.Float(), kind) } return impl.compareNumber(float64(leftValue.Int()), float64(rightValue.Int()), kind) case reflect.Float64: if rightValue.Kind() == reflect.Int { return impl.compareNumber(leftValue.Float(), float64(rightValue.Int()), kind) } return impl.compareNumber(leftValue.Float(), rightValue.Float(), kind) case reflect.Invalid: if rightValue.Kind() == reflect.Invalid { return true, nil } // not possible situation - params are converted to the same type in code above return nil, fmt.Errorf("Compare params of Invalid type: left: %+v, right: %+v", leftValue.Kind(), rightValue.Kind()) default: return nil, fmt.Errorf("Compare not implemented for types: left: %+v, right: %+v", leftValue.Kind(), rightValue.Kind()) } } func (impl *interperterImpl) coerceToNumber(value reflect.Value) reflect.Value { switch value.Kind() { case reflect.Invalid: return reflect.ValueOf(0) case reflect.Bool: switch value.Bool() { case true: return reflect.ValueOf(1) case false: return reflect.ValueOf(0) } case reflect.String: if value.String() == "" { return reflect.ValueOf(0) } // try to parse the string as a number evaluated, err := impl.Evaluate(value.String(), DefaultStatusCheckNone) if err != nil { return reflect.ValueOf(math.NaN()) } if value := reflect.ValueOf(evaluated); impl.isNumber(value) { return value } } return reflect.ValueOf(math.NaN()) } func (impl *interperterImpl) coerceToString(value reflect.Value) reflect.Value { switch value.Kind() { case reflect.Invalid: return reflect.ValueOf("") case reflect.Bool: switch value.Bool() { case true: return reflect.ValueOf("true") case false: return reflect.ValueOf("false") } case reflect.String: return value case reflect.Int: return reflect.ValueOf(fmt.Sprint(value)) case reflect.Float64: if math.IsInf(value.Float(), 1) { return reflect.ValueOf("Infinity") } else if math.IsInf(value.Float(), -1) { return reflect.ValueOf("-Infinity") } return reflect.ValueOf(fmt.Sprintf("%.15G", value.Float())) case reflect.Slice: return reflect.ValueOf("Array") case reflect.Map: return reflect.ValueOf("Object") } return value } func (impl *interperterImpl) compareString(left string, right string, kind actionlint.CompareOpNodeKind) (bool, error) { switch kind { case actionlint.CompareOpNodeKindLess: return left < right, nil case actionlint.CompareOpNodeKindLessEq: return left <= right, nil case actionlint.CompareOpNodeKindGreater: return left > right, nil case actionlint.CompareOpNodeKindGreaterEq: return left >= right, nil case actionlint.CompareOpNodeKindEq: return left == right, nil case actionlint.CompareOpNodeKindNotEq: return left != right, nil default: return false, fmt.Errorf("TODO: not implemented to compare '%+v'", kind) } } func (impl *interperterImpl) compareNumber(left float64, right float64, kind actionlint.CompareOpNodeKind) (bool, error) { switch kind { case actionlint.CompareOpNodeKindLess: return left < right, nil case actionlint.CompareOpNodeKindLessEq: return left <= right, nil case actionlint.CompareOpNodeKindGreater: return left > right, nil case actionlint.CompareOpNodeKindGreaterEq: return left >= right, nil case actionlint.CompareOpNodeKindEq: return left == right, nil case actionlint.CompareOpNodeKindNotEq: return left != right, nil default: return false, fmt.Errorf("TODO: not implemented to compare '%+v'", kind) } } func IsTruthy(input interface{}) bool { value := reflect.ValueOf(input) switch value.Kind() { case reflect.Bool: return value.Bool() case reflect.String: return value.String() != "" case reflect.Int: return value.Int() != 0 case reflect.Float64: if math.IsNaN(value.Float()) { return false } return value.Float() != 0 case reflect.Map, reflect.Slice: return true default: return false } } func (impl *interperterImpl) isNumber(value reflect.Value) bool { switch value.Kind() { case reflect.Int, reflect.Float64: return true default: return false } } func (impl *interperterImpl) getSafeValue(value reflect.Value) interface{} { switch value.Kind() { case reflect.Invalid: return nil case reflect.Float64: if value.Float() == 0 { return 0 } } return value.Interface() } func (impl *interperterImpl) evaluateLogicalCompare(compareNode *actionlint.LogicalOpNode) (interface{}, error) { left, err := impl.evaluateNode(compareNode.Left) if err != nil { return nil, err } leftValue := reflect.ValueOf(left) if IsTruthy(left) == (compareNode.Kind == actionlint.LogicalOpNodeKindOr) { return impl.getSafeValue(leftValue), nil } right, err := impl.evaluateNode(compareNode.Right) if err != nil { return nil, err } rightValue := reflect.ValueOf(right) switch compareNode.Kind { case actionlint.LogicalOpNodeKindAnd: return impl.getSafeValue(rightValue), nil case actionlint.LogicalOpNodeKindOr: return impl.getSafeValue(rightValue), nil } return nil, fmt.Errorf("Unable to compare incompatibles types '%s' and '%s'", leftValue.Kind(), rightValue.Kind()) } //nolint:gocyclo func (impl *interperterImpl) evaluateFuncCall(funcCallNode *actionlint.FuncCallNode) (interface{}, error) { args := make([]reflect.Value, 0) for _, arg := range funcCallNode.Args { value, err := impl.evaluateNode(arg) if err != nil { return nil, err } args = append(args, reflect.ValueOf(value)) } switch strings.ToLower(funcCallNode.Callee) { case "contains": return impl.contains(args[0], args[1]) case "startswith": return impl.startsWith(args[0], args[1]) case "endswith": return impl.endsWith(args[0], args[1]) case "format": return impl.format(args[0], args[1:]...) case "join": if len(args) == 1 { return impl.join(args[0], reflect.ValueOf(",")) } return impl.join(args[0], args[1]) case "tojson": return impl.toJSON(args[0]) case "fromjson": return impl.fromJSON(args[0]) case "hashfiles": if impl.env.HashFiles != nil { return impl.env.HashFiles(args) } return impl.hashFiles(args...) case "always": return impl.always() case "success": if impl.config.Context == "job" { return impl.jobSuccess() } if impl.config.Context == "step" { return impl.stepSuccess() } return nil, fmt.Errorf("Context '%s' must be one of 'job' or 'step'", impl.config.Context) case "failure": if impl.config.Context == "job" { return impl.jobFailure() } if impl.config.Context == "step" { return impl.stepFailure() } return nil, fmt.Errorf("Context '%s' must be one of 'job' or 'step'", impl.config.Context) case "cancelled": return impl.cancelled() default: return nil, fmt.Errorf("TODO: '%s' not implemented", funcCallNode.Callee) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/root.go
cmd/root.go
package cmd import ( "bufio" "bytes" "context" "encoding/json" "fmt" "os" "path/filepath" "regexp" "runtime" "runtime/debug" "strings" "github.com/AlecAivazis/survey/v2" "github.com/adrg/xdg" "github.com/andreaskoch/go-fswatch" docker_container "github.com/docker/docker/api/types/container" "github.com/joho/godotenv" gitignore "github.com/sabhiram/go-gitignore" log "github.com/sirupsen/logrus" "github.com/spf13/cobra" "github.com/spf13/cobra/doc" "github.com/spf13/pflag" "gopkg.in/yaml.v3" "github.com/nektos/act/pkg/artifactcache" "github.com/nektos/act/pkg/artifacts" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/container" "github.com/nektos/act/pkg/gh" "github.com/nektos/act/pkg/model" "github.com/nektos/act/pkg/runner" ) type Flag struct { Name string `json:"name"` Default string `json:"default"` Type string `json:"type"` Description string `json:"description"` } var exitFunc = os.Exit // Execute is the entry point to running the CLI func Execute(ctx context.Context, version string) { input := new(Input) rootCmd := createRootCommand(ctx, input, version) if err := rootCmd.Execute(); err != nil { exitFunc(1) } } func createRootCommand(ctx context.Context, input *Input, version string) *cobra.Command { rootCmd := &cobra.Command{ Use: "act [event name to run] [flags]\n\nIf no event name passed, will default to \"on: push\"\nIf actions handles only one event it will be used as default instead of \"on: push\"", Short: "Run GitHub actions locally by specifying the event name (e.g. `push`) or an action name directly.", Args: cobra.MaximumNArgs(1), RunE: newRunCommand(ctx, input), PersistentPreRun: setup(input), PersistentPostRun: cleanup(input), Version: version, SilenceUsage: true, } rootCmd.Flags().BoolP("watch", "w", false, "watch the contents of the local repo and run when files change") rootCmd.Flags().BoolVar(&input.validate, "validate", false, "validate workflows") rootCmd.Flags().BoolVar(&input.strict, "strict", false, "use strict workflow schema") rootCmd.Flags().BoolP("list", "l", false, "list workflows") rootCmd.Flags().BoolP("graph", "g", false, "draw workflows") rootCmd.Flags().StringP("job", "j", "", "run a specific job ID") rootCmd.Flags().BoolP("bug-report", "", false, "Display system information for bug report") rootCmd.Flags().BoolP("man-page", "", false, "Print a generated manual page to stdout") rootCmd.Flags().StringVar(&input.remoteName, "remote-name", "origin", "git remote name that will be used to retrieve url of git repo") rootCmd.Flags().StringArrayVarP(&input.secrets, "secret", "s", []string{}, "secret to make available to actions with optional value (e.g. -s mysecret=foo or -s mysecret)") rootCmd.Flags().StringArrayVar(&input.vars, "var", []string{}, "variable to make available to actions with optional value (e.g. --var myvar=foo or --var myvar)") rootCmd.Flags().StringArrayVarP(&input.envs, "env", "", []string{}, "env to make available to actions with optional value (e.g. --env myenv=foo or --env myenv)") rootCmd.Flags().StringArrayVarP(&input.inputs, "input", "", []string{}, "action input to make available to actions (e.g. --input myinput=foo)") rootCmd.Flags().StringArrayVarP(&input.platforms, "platform", "P", []string{}, "custom image to use per platform (e.g. -P ubuntu-18.04=nektos/act-environments-ubuntu:18.04)") rootCmd.Flags().BoolVarP(&input.reuseContainers, "reuse", "r", false, "don't remove container(s) on successfully completed workflow(s) to maintain state between runs") rootCmd.Flags().BoolVarP(&input.bindWorkdir, "bind", "b", false, "bind working directory to container, rather than copy") rootCmd.Flags().BoolVarP(&input.forcePull, "pull", "p", true, "pull docker image(s) even if already present") rootCmd.Flags().BoolVarP(&input.forceRebuild, "rebuild", "", true, "rebuild local action docker image(s) even if already present") rootCmd.Flags().BoolVarP(&input.autodetectEvent, "detect-event", "", false, "Use first event type from workflow as event that triggered the workflow") rootCmd.Flags().StringVarP(&input.eventPath, "eventpath", "e", "", "path to event JSON file") rootCmd.Flags().StringVar(&input.defaultBranch, "defaultbranch", "", "the name of the main branch") rootCmd.Flags().BoolVar(&input.privileged, "privileged", false, "use privileged mode") rootCmd.Flags().StringVar(&input.usernsMode, "userns", "", "user namespace to use") rootCmd.Flags().BoolVar(&input.useGitIgnore, "use-gitignore", true, "Controls whether paths specified in .gitignore should be copied into container") rootCmd.Flags().StringArrayVarP(&input.containerCapAdd, "container-cap-add", "", []string{}, "kernel capabilities to add to the workflow containers (e.g. --container-cap-add SYS_PTRACE)") rootCmd.Flags().StringArrayVarP(&input.containerCapDrop, "container-cap-drop", "", []string{}, "kernel capabilities to remove from the workflow containers (e.g. --container-cap-drop SYS_PTRACE)") rootCmd.Flags().BoolVar(&input.autoRemove, "rm", false, "automatically remove container(s)/volume(s) after a workflow(s) failure") rootCmd.Flags().StringArrayVarP(&input.replaceGheActionWithGithubCom, "replace-ghe-action-with-github-com", "", []string{}, "If you are using GitHub Enterprise Server and allow specified actions from GitHub (github.com), you can set actions on this. (e.g. --replace-ghe-action-with-github-com =github/super-linter)") rootCmd.Flags().StringVar(&input.replaceGheActionTokenWithGithubCom, "replace-ghe-action-token-with-github-com", "", "If you are using replace-ghe-action-with-github-com and you want to use private actions on GitHub, you have to set personal access token") rootCmd.Flags().StringArrayVarP(&input.matrix, "matrix", "", []string{}, "specify which matrix configuration to include (e.g. --matrix java:13") rootCmd.PersistentFlags().StringVarP(&input.actor, "actor", "a", "nektos/act", "user that triggered the event") rootCmd.PersistentFlags().StringVarP(&input.workflowsPath, "workflows", "W", "./.github/workflows/", "path to workflow file(s)") rootCmd.PersistentFlags().BoolVarP(&input.noWorkflowRecurse, "no-recurse", "", false, "Flag to disable running workflows from subdirectories of specified path in '--workflows'/'-W' flag") rootCmd.PersistentFlags().StringVarP(&input.workdir, "directory", "C", ".", "working directory") rootCmd.PersistentFlags().BoolP("verbose", "v", false, "verbose output") rootCmd.PersistentFlags().BoolVar(&input.jsonLogger, "json", false, "Output logs in json format") rootCmd.PersistentFlags().BoolVar(&input.logPrefixJobID, "log-prefix-job-id", false, "Output the job id within non-json logs instead of the entire name") rootCmd.PersistentFlags().BoolVarP(&input.noOutput, "quiet", "q", false, "disable logging of output from steps") rootCmd.PersistentFlags().BoolVarP(&input.dryrun, "dryrun", "n", false, "disable container creation, validates only workflow correctness") rootCmd.PersistentFlags().StringVarP(&input.secretfile, "secret-file", "", ".secrets", "file with list of secrets to read from (e.g. --secret-file .secrets)") rootCmd.PersistentFlags().StringVarP(&input.varfile, "var-file", "", ".vars", "file with list of vars to read from (e.g. --var-file .vars)") rootCmd.PersistentFlags().BoolVarP(&input.insecureSecrets, "insecure-secrets", "", false, "NOT RECOMMENDED! Doesn't hide secrets while printing logs.") rootCmd.PersistentFlags().StringVarP(&input.envfile, "env-file", "", ".env", "environment file to read and use as env in the containers") rootCmd.PersistentFlags().StringVarP(&input.inputfile, "input-file", "", ".input", "input file to read and use as action input") rootCmd.PersistentFlags().StringVarP(&input.containerArchitecture, "container-architecture", "", "", "Architecture which should be used to run containers, e.g.: linux/amd64. If not specified, will use host default architecture. Requires Docker server API Version 1.41+. Ignored on earlier Docker server platforms.") rootCmd.PersistentFlags().StringVarP(&input.containerDaemonSocket, "container-daemon-socket", "", "", "URI to Docker Engine socket (e.g.: unix://~/.docker/run/docker.sock or - to disable bind mounting the socket)") rootCmd.PersistentFlags().StringVarP(&input.containerOptions, "container-options", "", "", "Custom docker container options for the job container without an options property in the job definition") rootCmd.PersistentFlags().StringVarP(&input.githubInstance, "github-instance", "", "github.com", "GitHub instance to use. Only use this when using GitHub Enterprise Server.") rootCmd.PersistentFlags().StringVarP(&input.artifactServerPath, "artifact-server-path", "", "", "Defines the path where the artifact server stores uploads and retrieves downloads from. If not specified the artifact server will not start.") rootCmd.PersistentFlags().StringVarP(&input.artifactServerAddr, "artifact-server-addr", "", common.GetOutboundIP().String(), "Defines the address to which the artifact server binds.") rootCmd.PersistentFlags().StringVarP(&input.artifactServerPort, "artifact-server-port", "", "34567", "Defines the port where the artifact server listens.") rootCmd.PersistentFlags().BoolVarP(&input.noSkipCheckout, "no-skip-checkout", "", false, "Use actions/checkout instead of copying local files into container") rootCmd.PersistentFlags().BoolVarP(&input.noCacheServer, "no-cache-server", "", false, "Disable cache server") rootCmd.PersistentFlags().StringVarP(&input.cacheServerPath, "cache-server-path", "", filepath.Join(CacheHomeDir, "actcache"), "Defines the path where the cache server stores caches.") rootCmd.PersistentFlags().StringVarP(&input.cacheServerExternalURL, "cache-server-external-url", "", "", "Defines the external URL for if the cache server is behind a proxy. e.g.: https://act-cache-server.example.com. Be careful that there is no trailing slash.") rootCmd.PersistentFlags().StringVarP(&input.cacheServerAddr, "cache-server-addr", "", common.GetOutboundIP().String(), "Defines the address to which the cache server binds.") rootCmd.PersistentFlags().Uint16VarP(&input.cacheServerPort, "cache-server-port", "", 0, "Defines the port where the artifact server listens. 0 means a randomly available port.") rootCmd.PersistentFlags().StringVarP(&input.actionCachePath, "action-cache-path", "", filepath.Join(CacheHomeDir, "act"), "Defines the path where the actions get cached and host workspaces created.") rootCmd.PersistentFlags().BoolVarP(&input.actionOfflineMode, "action-offline-mode", "", false, "If action contents exists, it will not be fetch and pull again. If turn on this, will turn off force pull") rootCmd.PersistentFlags().StringVarP(&input.networkName, "network", "", "host", "Sets a docker network name. Defaults to host.") rootCmd.PersistentFlags().BoolVarP(&input.useNewActionCache, "use-new-action-cache", "", false, "Enable using the new Action Cache for storing Actions locally") rootCmd.PersistentFlags().StringArrayVarP(&input.localRepository, "local-repository", "", []string{}, "Replaces the specified repository and ref with a local folder (e.g. https://github.com/test/test@v0=/home/act/test or test/test@v0=/home/act/test, the latter matches any hosts or protocols)") rootCmd.PersistentFlags().BoolVar(&input.listOptions, "list-options", false, "Print a json structure of compatible options") rootCmd.PersistentFlags().IntVar(&input.concurrentJobs, "concurrent-jobs", 0, "Maximum number of concurrent jobs to run. Default is the number of CPUs available.") rootCmd.SetArgs(args()) return rootCmd } // Return locations where Act's config can be found in order: XDG spec, .actrc in HOME directory, .actrc in invocation directory func configLocations() []string { configFileName := ".actrc" homePath := filepath.Join(UserHomeDir, configFileName) invocationPath := filepath.Join(".", configFileName) // Though named xdg, adrg's lib support macOS and Windows config paths as well // It also takes cares of creating the parent folder so we don't need to bother later specPath, err := xdg.ConfigFile("act/actrc") if err != nil { specPath = homePath } // This order should be enforced since the survey part relies on it return []string{specPath, homePath, invocationPath} } func args() []string { actrc := configLocations() args := make([]string, 0) for _, f := range actrc { args = append(args, readArgsFile(f, true)...) } args = append(args, os.Args[1:]...) return args } func bugReport(ctx context.Context, version string) error { sprintf := func(key, val string) string { return fmt.Sprintf("%-24s%s\n", key, val) } report := sprintf("act version:", version) report += sprintf("GOOS:", runtime.GOOS) report += sprintf("GOARCH:", runtime.GOARCH) report += sprintf("NumCPU:", fmt.Sprint(runtime.NumCPU())) var dockerHost string var exists bool if dockerHost, exists = os.LookupEnv("DOCKER_HOST"); !exists { dockerHost = "DOCKER_HOST environment variable is not set" } else if dockerHost == "" { dockerHost = "DOCKER_HOST environment variable is empty." } report += sprintf("Docker host:", dockerHost) report += fmt.Sprintln("Sockets found:") for _, p := range container.CommonSocketLocations { if _, err := os.Lstat(os.ExpandEnv(p)); err != nil { continue } else if _, err := os.Stat(os.ExpandEnv(p)); err != nil { report += fmt.Sprintf("\t%s(broken)\n", p) } else { report += fmt.Sprintf("\t%s\n", p) } } report += sprintf("Config files:", "") for _, c := range configLocations() { args := readArgsFile(c, false) if len(args) > 0 { report += fmt.Sprintf("\t%s:\n", c) for _, l := range args { report += fmt.Sprintf("\t\t%s\n", l) } } } vcs, ok := debug.ReadBuildInfo() if ok && vcs != nil { report += fmt.Sprintln("Build info:") vcs := *vcs report += sprintf("\tGo version:", vcs.GoVersion) report += sprintf("\tModule path:", vcs.Path) report += sprintf("\tMain version:", vcs.Main.Version) report += sprintf("\tMain path:", vcs.Main.Path) report += sprintf("\tMain checksum:", vcs.Main.Sum) report += fmt.Sprintln("\tBuild settings:") for _, set := range vcs.Settings { report += sprintf(fmt.Sprintf("\t\t%s:", set.Key), set.Value) } } info, err := container.GetHostInfo(ctx) if err != nil { fmt.Println(report) return err } report += fmt.Sprintln("Docker Engine:") report += sprintf("\tEngine version:", info.ServerVersion) report += sprintf("\tEngine runtime:", info.DefaultRuntime) report += sprintf("\tCgroup version:", info.CgroupVersion) report += sprintf("\tCgroup driver:", info.CgroupDriver) report += sprintf("\tStorage driver:", info.Driver) report += sprintf("\tRegistry URI:", info.IndexServerAddress) report += sprintf("\tOS:", info.OperatingSystem) report += sprintf("\tOS type:", info.OSType) report += sprintf("\tOS version:", info.OSVersion) report += sprintf("\tOS arch:", info.Architecture) report += sprintf("\tOS kernel:", info.KernelVersion) report += sprintf("\tOS CPU:", fmt.Sprint(info.NCPU)) report += sprintf("\tOS memory:", fmt.Sprintf("%d MB", info.MemTotal/1024/1024)) report += fmt.Sprintln("\tSecurity options:") for _, secopt := range info.SecurityOptions { report += fmt.Sprintf("\t\t%s\n", secopt) } fmt.Println(report) return nil } func generateManPage(cmd *cobra.Command) error { header := &doc.GenManHeader{ Title: "act", Section: "1", Source: fmt.Sprintf("act %s", cmd.Version), } buf := new(bytes.Buffer) cobra.CheckErr(doc.GenMan(cmd, header, buf)) fmt.Print(buf.String()) return nil } func listOptions(cmd *cobra.Command) error { flags := []Flag{} cmd.LocalFlags().VisitAll(func(f *pflag.Flag) { flags = append(flags, Flag{Name: f.Name, Default: f.DefValue, Description: f.Usage, Type: f.Value.Type()}) }) a, err := json.Marshal(flags) fmt.Println(string(a)) return err } func readArgsFile(file string, split bool) []string { args := make([]string, 0) f, err := os.Open(file) if err != nil { return args } defer func() { err := f.Close() if err != nil { log.Errorf("Failed to close args file: %v", err) } }() scanner := bufio.NewScanner(f) scanner.Buffer(nil, 1024*1024*1024) // increase buffer to 1GB to avoid scanner buffer overflow for scanner.Scan() { arg := os.ExpandEnv(strings.TrimSpace(scanner.Text())) if strings.HasPrefix(arg, "-") && split { args = append(args, regexp.MustCompile(`\s`).Split(arg, 2)...) } else if !split { args = append(args, arg) } } return args } func setup(_ *Input) func(*cobra.Command, []string) { return func(cmd *cobra.Command, _ []string) { verbose, _ := cmd.Flags().GetBool("verbose") if verbose { log.SetLevel(log.DebugLevel) } loadVersionNotices(cmd.Version) } } func cleanup(inputs *Input) func(*cobra.Command, []string) { return func(_ *cobra.Command, _ []string) { displayNotices(inputs) } } func parseEnvs(env []string) map[string]string { envs := make(map[string]string, len(env)) for _, envVar := range env { e := strings.SplitN(envVar, `=`, 2) if len(e) == 2 { envs[e[0]] = e[1] } else { envs[e[0]] = "" } } return envs } func readYamlFile(file string) (map[string]string, error) { content, err := os.ReadFile(file) if err != nil { return nil, err } ret := map[string]string{} if err = yaml.Unmarshal(content, &ret); err != nil { return nil, err } return ret, nil } func readEnvs(path string, envs map[string]string) bool { return readEnvsEx(path, envs, false) } func readEnvsEx(path string, envs map[string]string, caseInsensitive bool) bool { if _, err := os.Stat(path); err == nil { var env map[string]string if ext := filepath.Ext(path); ext == ".yml" || ext == ".yaml" { env, err = readYamlFile(path) } else { env, err = godotenv.Read(path) } if err != nil { log.Fatalf("Error loading from %s: %v", path, err) } for k, v := range env { if caseInsensitive { k = strings.ToUpper(k) } if _, ok := envs[k]; !ok { envs[k] = v } } return true } return false } func parseMatrix(matrix []string) map[string]map[string]bool { // each matrix entry should be of the form - string:string r := regexp.MustCompile(":") matrixes := make(map[string]map[string]bool) for _, m := range matrix { matrix := r.Split(m, 2) if len(matrix) < 2 { log.Fatalf("Invalid matrix format. Failed to parse %s", m) } if _, ok := matrixes[matrix[0]]; !ok { matrixes[matrix[0]] = make(map[string]bool) } matrixes[matrix[0]][matrix[1]] = true } return matrixes } //nolint:gocyclo func newRunCommand(ctx context.Context, input *Input) func(*cobra.Command, []string) error { return func(cmd *cobra.Command, args []string) error { if input.jsonLogger { log.SetFormatter(&log.JSONFormatter{}) } if ok, _ := cmd.Flags().GetBool("bug-report"); ok { ctx, cancel := common.EarlyCancelContext(ctx) defer cancel() return bugReport(ctx, cmd.Version) } if ok, _ := cmd.Flags().GetBool("man-page"); ok { return generateManPage(cmd) } if input.listOptions { return listOptions(cmd) } if ret, err := container.GetSocketAndHost(input.containerDaemonSocket); err != nil { log.Warnf("Couldn't get a valid docker connection: %+v", err) } else { os.Setenv("DOCKER_HOST", ret.Host) input.containerDaemonSocket = ret.Socket log.Infof("Using docker host '%s', and daemon socket '%s'", ret.Host, ret.Socket) } if runtime.GOOS == "darwin" && runtime.GOARCH == "arm64" && input.containerArchitecture == "" { l := log.New() l.SetFormatter(&log.TextFormatter{ DisableQuote: true, DisableTimestamp: true, }) l.Warnf(" \U000026A0 You are using Apple M-series chip and you have not specified container architecture, you might encounter issues while running act. If so, try running it with '--container-architecture linux/amd64'. \U000026A0 \n") } log.Debugf("Loading environment from %s", input.Envfile()) envs := parseEnvs(input.envs) _ = readEnvs(input.Envfile(), envs) log.Debugf("Loading action inputs from %s", input.Inputfile()) inputs := parseEnvs(input.inputs) _ = readEnvs(input.Inputfile(), inputs) log.Debugf("Loading secrets from %s", input.Secretfile()) secrets := newSecrets(input.secrets) _ = readEnvsEx(input.Secretfile(), secrets, true) if _, hasGitHubToken := secrets["GITHUB_TOKEN"]; !hasGitHubToken { ctx, cancel := common.EarlyCancelContext(ctx) defer cancel() secrets["GITHUB_TOKEN"], _ = gh.GetToken(ctx, "") } log.Debugf("Loading vars from %s", input.Varfile()) vars := newSecrets(input.vars) _ = readEnvs(input.Varfile(), vars) matrixes := parseMatrix(input.matrix) log.Debugf("Evaluated matrix inclusions: %v", matrixes) planner, err := model.NewWorkflowPlanner(input.WorkflowsPath(), input.noWorkflowRecurse, input.strict) if err != nil { return err } jobID, err := cmd.Flags().GetString("job") if err != nil { return err } // check if we should just list the workflows list, err := cmd.Flags().GetBool("list") if err != nil { return err } // check if we should just validate the workflows if input.validate { return err } // check if we should just draw the graph graph, err := cmd.Flags().GetBool("graph") if err != nil { return err } // collect all events from loaded workflows events := planner.GetEvents() // plan with filtered jobs - to be used for filtering only var filterPlan *model.Plan // Determine the event name to be filtered var filterEventName string if len(args) > 0 { log.Debugf("Using first passed in arguments event for filtering: %s", args[0]) filterEventName = args[0] } else if input.autodetectEvent && len(events) > 0 && len(events[0]) > 0 { // set default event type to first event from many available // this way user dont have to specify the event. log.Debugf("Using first detected workflow event for filtering: %s", events[0]) filterEventName = events[0] } var plannerErr error if jobID != "" { log.Debugf("Preparing plan with a job: %s", jobID) filterPlan, plannerErr = planner.PlanJob(jobID) } else if filterEventName != "" { log.Debugf("Preparing plan for a event: %s", filterEventName) filterPlan, plannerErr = planner.PlanEvent(filterEventName) } else { log.Debugf("Preparing plan with all jobs") filterPlan, plannerErr = planner.PlanAll() } if filterPlan == nil && plannerErr != nil { return plannerErr } if list { err = printList(filterPlan) if err != nil { return err } return plannerErr } if graph { err = drawGraph(filterPlan) if err != nil { return err } return plannerErr } // plan with triggered jobs var plan *model.Plan // Determine the event name to be triggered var eventName string if len(args) > 0 { log.Debugf("Using first passed in arguments event: %s", args[0]) eventName = args[0] } else if len(events) == 1 && len(events[0]) > 0 { log.Debugf("Using the only detected workflow event: %s", events[0]) eventName = events[0] } else if input.autodetectEvent && len(events) > 0 && len(events[0]) > 0 { // set default event type to first event from many available // this way user dont have to specify the event. log.Debugf("Using first detected workflow event: %s", events[0]) eventName = events[0] } else { log.Debugf("Using default workflow event: push") eventName = "push" } // build the plan for this run if jobID != "" { log.Debugf("Planning job: %s", jobID) plan, plannerErr = planner.PlanJob(jobID) } else { log.Debugf("Planning jobs for event: %s", eventName) plan, plannerErr = planner.PlanEvent(eventName) } if plan != nil { if len(plan.Stages) == 0 { plannerErr = fmt.Errorf("Could not find any stages to run. View the valid jobs with `act --list`. Use `act --help` to find how to filter by Job ID/Workflow/Event Name") } } if plan == nil && plannerErr != nil { return plannerErr } // check to see if the main branch was defined defaultbranch, err := cmd.Flags().GetString("defaultbranch") if err != nil { return err } // Check if platforms flag is set, if not, run default image survey if len(input.platforms) == 0 { cfgFound := false cfgLocations := configLocations() for _, v := range cfgLocations { _, err := os.Stat(v) if os.IsExist(err) { cfgFound = true } } if !cfgFound && len(cfgLocations) > 0 { // The first config location refers to the global config folder one if err := defaultImageSurvey(cfgLocations[0]); err != nil { log.Fatal(err) } input.platforms = readArgsFile(cfgLocations[0], true) } } deprecationWarning := "--%s is deprecated and will be removed soon, please switch to cli: `--container-options \"%[2]s\"` or `.actrc`: `--container-options %[2]s`." if input.privileged { log.Warnf(deprecationWarning, "privileged", "--privileged") } if len(input.usernsMode) > 0 { log.Warnf(deprecationWarning, "userns", fmt.Sprintf("--userns=%s", input.usernsMode)) } if len(input.containerCapAdd) > 0 { log.Warnf(deprecationWarning, "container-cap-add", fmt.Sprintf("--cap-add=%s", input.containerCapAdd)) } if len(input.containerCapDrop) > 0 { log.Warnf(deprecationWarning, "container-cap-drop", fmt.Sprintf("--cap-drop=%s", input.containerCapDrop)) } // run the plan config := &runner.Config{ Actor: input.actor, EventName: eventName, EventPath: input.EventPath(), DefaultBranch: defaultbranch, ForcePull: !input.actionOfflineMode && input.forcePull, ForceRebuild: input.forceRebuild, ReuseContainers: input.reuseContainers, Workdir: input.Workdir(), ActionCacheDir: input.actionCachePath, ActionOfflineMode: input.actionOfflineMode, BindWorkdir: input.bindWorkdir, LogOutput: !input.noOutput, JSONLogger: input.jsonLogger, LogPrefixJobID: input.logPrefixJobID, Env: envs, Secrets: secrets, Vars: vars, Inputs: inputs, Token: secrets["GITHUB_TOKEN"], InsecureSecrets: input.insecureSecrets, Platforms: input.newPlatforms(), Privileged: input.privileged, UsernsMode: input.usernsMode, ContainerArchitecture: input.containerArchitecture, ContainerDaemonSocket: input.containerDaemonSocket, ContainerOptions: input.containerOptions, UseGitIgnore: input.useGitIgnore, GitHubInstance: input.githubInstance, ContainerCapAdd: input.containerCapAdd, ContainerCapDrop: input.containerCapDrop, AutoRemove: input.autoRemove, ArtifactServerPath: input.artifactServerPath, ArtifactServerAddr: input.artifactServerAddr, ArtifactServerPort: input.artifactServerPort, NoSkipCheckout: input.noSkipCheckout, RemoteName: input.remoteName, ReplaceGheActionWithGithubCom: input.replaceGheActionWithGithubCom, ReplaceGheActionTokenWithGithubCom: input.replaceGheActionTokenWithGithubCom, Matrix: matrixes, ContainerNetworkMode: docker_container.NetworkMode(input.networkName), ConcurrentJobs: input.concurrentJobs, } if input.useNewActionCache || len(input.localRepository) > 0 { if input.actionOfflineMode { config.ActionCache = &runner.GoGitActionCacheOfflineMode{ Parent: runner.GoGitActionCache{ Path: config.ActionCacheDir, }, } } else { config.ActionCache = &runner.GoGitActionCache{ Path: config.ActionCacheDir, } } if len(input.localRepository) > 0 { localRepositories := map[string]string{} for _, l := range input.localRepository { k, v, _ := strings.Cut(l, "=") localRepositories[k] = v } config.ActionCache = &runner.LocalRepositoryCache{ Parent: config.ActionCache, LocalRepositories: localRepositories, CacheDirCache: map[string]string{}, } } } r, err := runner.New(config) if err != nil { return err } cancel := artifacts.Serve(ctx, input.artifactServerPath, input.artifactServerAddr, input.artifactServerPort) const cacheURLKey = "ACTIONS_CACHE_URL" var cacheHandler *artifactcache.Handler if !input.noCacheServer && envs[cacheURLKey] == "" { var err error cacheHandler, err = artifactcache.StartHandler(input.cacheServerPath, input.cacheServerExternalURL, input.cacheServerAddr, input.cacheServerPort, common.Logger(ctx)) if err != nil { return err } envs[cacheURLKey] = cacheHandler.ExternalURL() + "/" } ctx = common.WithDryrun(ctx, input.dryrun) if watch, err := cmd.Flags().GetBool("watch"); err != nil { return err } else if watch { err = watchAndRun(ctx, r.NewPlanExecutor(plan)) if err != nil { return err } return plannerErr } executor := r.NewPlanExecutor(plan).Finally(func(_ context.Context) error { cancel() _ = cacheHandler.Close() return nil }) err = executor(ctx) if err != nil { return err } return plannerErr } } func defaultImageSurvey(actrc string) error { var answer string confirmation := &survey.Select{ Message: "Please choose the default image you want to use with act:\n - Large size image: ca. 17GB download + 53.1GB storage, you will need 75GB of free disk space, snapshots of GitHub Hosted Runners without snap and pulled docker images\n - Medium size image: ~500MB, includes only necessary tools to bootstrap actions and aims to be compatible with most actions\n - Micro size image: <200MB, contains only NodeJS required to bootstrap actions, doesn't work with all actions\n\nDefault image and other options can be changed manually in " + configLocations()[0] + " (please refer to https://nektosact.com/usage/index.html?highlight=configur#configuration-file for additional information about file structure)", Help: "If you want to know why act asks you that, please go to https://github.com/nektos/act/issues/107", Default: "Medium", Options: []string{"Large", "Medium", "Micro"}, } err := survey.AskOne(confirmation, &answer) if err != nil { return err } var option string switch answer { case "Large": option = "-P ubuntu-latest=catthehacker/ubuntu:full-latest\n-P ubuntu-22.04=catthehacker/ubuntu:full-22.04\n-P ubuntu-20.04=catthehacker/ubuntu:full-20.04\n-P ubuntu-18.04=catthehacker/ubuntu:full-18.04\n" case "Medium": option = "-P ubuntu-latest=catthehacker/ubuntu:act-latest\n-P ubuntu-22.04=catthehacker/ubuntu:act-22.04\n-P ubuntu-20.04=catthehacker/ubuntu:act-20.04\n-P ubuntu-18.04=catthehacker/ubuntu:act-18.04\n" case "Micro": option = "-P ubuntu-latest=node:16-buster-slim\n-P ubuntu-22.04=node:16-bullseye-slim\n-P ubuntu-20.04=node:16-buster-slim\n-P ubuntu-18.04=node:16-buster-slim\n" } f, err := os.Create(actrc) if err != nil { return err } _, err = f.WriteString(option) if err != nil { _ = f.Close() return err } err = f.Close() if err != nil { return err } return nil } func watchAndRun(ctx context.Context, fn common.Executor) error { dir, err := os.Getwd() if err != nil { return err } ignoreFile := filepath.Join(dir, ".gitignore") ignore := &gitignore.GitIgnore{} if info, err := os.Stat(ignoreFile); err == nil && !info.IsDir() { ignore, err = gitignore.CompileIgnoreFile(ignoreFile) if err != nil { return fmt.Errorf("compile %q: %w", ignoreFile, err) } } folderWatcher := fswatch.NewFolderWatcher( dir, true, ignore.MatchesPath, 2, // 2 seconds ) folderWatcher.Start() defer folderWatcher.Stop() // run once before watching if err := fn(ctx); err != nil { return err } earlyCancelCtx, cancel := common.EarlyCancelContext(ctx) defer cancel() for folderWatcher.IsRunning() { log.Debugf("Watching %s for changes", dir) select { case <-earlyCancelCtx.Done(): return nil case changes := <-folderWatcher.ChangeDetails(): log.Debugf("%s", changes.String())
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
true
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/root_test.go
cmd/root_test.go
package cmd import ( "context" "path" "testing" "github.com/stretchr/testify/assert" ) func TestReadSecrets(t *testing.T) { secrets := map[string]string{} ret := readEnvsEx(path.Join("testdata", "secrets.yml"), secrets, true) assert.True(t, ret) assert.Equal(t, `line1 line2 line3 `, secrets["MYSECRET"]) } func TestReadEnv(t *testing.T) { secrets := map[string]string{} ret := readEnvs(path.Join("testdata", "secrets.yml"), secrets) assert.True(t, ret) assert.Equal(t, `line1 line2 line3 `, secrets["mysecret"]) } func TestListOptions(t *testing.T) { rootCmd := createRootCommand(context.Background(), &Input{}, "") err := newRunCommand(context.Background(), &Input{ listOptions: true, })(rootCmd, []string{}) assert.NoError(t, err) } func TestRun(t *testing.T) { rootCmd := createRootCommand(context.Background(), &Input{}, "") err := newRunCommand(context.Background(), &Input{ platforms: []string{"ubuntu-latest=node:16-buster-slim"}, workdir: "../pkg/runner/testdata/", workflowsPath: "./basic/push.yml", })(rootCmd, []string{}) assert.NoError(t, err) } func TestRunPush(t *testing.T) { rootCmd := createRootCommand(context.Background(), &Input{}, "") err := newRunCommand(context.Background(), &Input{ platforms: []string{"ubuntu-latest=node:16-buster-slim"}, workdir: "../pkg/runner/testdata/", workflowsPath: "./basic/push.yml", })(rootCmd, []string{"push"}) assert.NoError(t, err) } func TestRunPushJsonLogger(t *testing.T) { rootCmd := createRootCommand(context.Background(), &Input{}, "") err := newRunCommand(context.Background(), &Input{ platforms: []string{"ubuntu-latest=node:16-buster-slim"}, workdir: "../pkg/runner/testdata/", workflowsPath: "./basic/push.yml", jsonLogger: true, })(rootCmd, []string{"push"}) assert.NoError(t, err) } func TestFlags(t *testing.T) { for _, f := range []string{"graph", "list", "bug-report", "man-page"} { t.Run("TestFlag-"+f, func(t *testing.T) { rootCmd := createRootCommand(context.Background(), &Input{}, "") err := rootCmd.Flags().Set(f, "true") assert.NoError(t, err) err = newRunCommand(context.Background(), &Input{ platforms: []string{"ubuntu-latest=node:16-buster-slim"}, workdir: "../pkg/runner/testdata/", workflowsPath: "./basic/push.yml", })(rootCmd, []string{}) assert.NoError(t, err) }) } } func TestReadArgsFile(t *testing.T) { tables := []struct { path string split bool args []string env map[string]string }{ { path: path.Join("testdata", "simple.actrc"), split: true, args: []string{"--container-architecture=linux/amd64", "--action-offline-mode"}, }, { path: path.Join("testdata", "env.actrc"), split: true, env: map[string]string{ "FAKEPWD": "/fake/test/pwd", "FOO": "foo", }, args: []string{ "--artifact-server-path", "/fake/test/pwd/.artifacts", "--env", "FOO=prefix/foo/suffix", }, }, { path: path.Join("testdata", "split.actrc"), split: true, args: []string{"--container-options", "--volume /foo:/bar --volume /baz:/qux --volume /tmp:/tmp"}, }, } for _, table := range tables { t.Run(table.path, func(t *testing.T) { for k, v := range table.env { t.Setenv(k, v) } args := readArgsFile(table.path, table.split) assert.Equal(t, table.args, args) }) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/secrets.go
cmd/secrets.go
package cmd import ( "fmt" "os" "strings" log "github.com/sirupsen/logrus" "golang.org/x/term" ) type secrets map[string]string func newSecrets(secretList []string) secrets { s := make(map[string]string) for _, secretPair := range secretList { secretPairParts := strings.SplitN(secretPair, "=", 2) secretPairParts[0] = strings.ToUpper(secretPairParts[0]) if strings.ToUpper(s[secretPairParts[0]]) == secretPairParts[0] { log.Errorf("Secret %s is already defined (secrets are case insensitive)", secretPairParts[0]) } if len(secretPairParts) == 2 { s[secretPairParts[0]] = secretPairParts[1] } else if env, ok := os.LookupEnv(secretPairParts[0]); ok && env != "" { s[secretPairParts[0]] = env } else { fmt.Printf("Provide value for '%s': ", secretPairParts[0]) val, err := term.ReadPassword(int(os.Stdin.Fd())) fmt.Println() if err != nil { log.Errorf("failed to read input: %v", err) os.Exit(1) } s[secretPairParts[0]] = string(val) } } return s } func (s secrets) AsMap() map[string]string { return s }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/list.go
cmd/list.go
package cmd import ( "fmt" "strconv" "strings" "github.com/nektos/act/pkg/model" ) func printList(plan *model.Plan) error { type lineInfoDef struct { jobID string jobName string stage string wfName string wfFile string events string } lineInfos := []lineInfoDef{} header := lineInfoDef{ jobID: "Job ID", jobName: "Job name", stage: "Stage", wfName: "Workflow name", wfFile: "Workflow file", events: "Events", } jobs := map[string]bool{} duplicateJobIDs := false jobIDMaxWidth := len(header.jobID) jobNameMaxWidth := len(header.jobName) stageMaxWidth := len(header.stage) wfNameMaxWidth := len(header.wfName) wfFileMaxWidth := len(header.wfFile) eventsMaxWidth := len(header.events) for i, stage := range plan.Stages { for _, r := range stage.Runs { jobID := r.JobID line := lineInfoDef{ jobID: jobID, jobName: r.String(), stage: strconv.Itoa(i), wfName: r.Workflow.Name, wfFile: r.Workflow.File, events: strings.Join(r.Workflow.On(), `,`), } if _, ok := jobs[jobID]; ok { duplicateJobIDs = true } else { jobs[jobID] = true } lineInfos = append(lineInfos, line) if jobIDMaxWidth < len(line.jobID) { jobIDMaxWidth = len(line.jobID) } if jobNameMaxWidth < len(line.jobName) { jobNameMaxWidth = len(line.jobName) } if stageMaxWidth < len(line.stage) { stageMaxWidth = len(line.stage) } if wfNameMaxWidth < len(line.wfName) { wfNameMaxWidth = len(line.wfName) } if wfFileMaxWidth < len(line.wfFile) { wfFileMaxWidth = len(line.wfFile) } if eventsMaxWidth < len(line.events) { eventsMaxWidth = len(line.events) } } } jobIDMaxWidth += 2 jobNameMaxWidth += 2 stageMaxWidth += 2 wfNameMaxWidth += 2 wfFileMaxWidth += 2 fmt.Printf("%*s%*s%*s%*s%*s%*s\n", -stageMaxWidth, header.stage, -jobIDMaxWidth, header.jobID, -jobNameMaxWidth, header.jobName, -wfNameMaxWidth, header.wfName, -wfFileMaxWidth, header.wfFile, -eventsMaxWidth, header.events, ) for _, line := range lineInfos { fmt.Printf("%*s%*s%*s%*s%*s%*s\n", -stageMaxWidth, line.stage, -jobIDMaxWidth, line.jobID, -jobNameMaxWidth, line.jobName, -wfNameMaxWidth, line.wfName, -wfFileMaxWidth, line.wfFile, -eventsMaxWidth, line.events, ) } if duplicateJobIDs { fmt.Print("\nDetected multiple jobs with the same job name, use `-W` to specify the path to the specific workflow.\n") } return nil }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/platforms.go
cmd/platforms.go
package cmd import ( "strings" ) func (i *Input) newPlatforms() map[string]string { platforms := map[string]string{ "ubuntu-latest": "node:16-buster-slim", "ubuntu-22.04": "node:16-bullseye-slim", "ubuntu-20.04": "node:16-buster-slim", "ubuntu-18.04": "node:16-buster-slim", } for _, p := range i.platforms { pParts := strings.Split(p, "=") if len(pParts) == 2 { platforms[strings.ToLower(pParts[0])] = pParts[1] } } return platforms }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/notices.go
cmd/notices.go
package cmd import ( "encoding/json" "fmt" "net/http" "net/url" "os" "path/filepath" "runtime" "strings" "time" log "github.com/sirupsen/logrus" ) type Notice struct { Level string `json:"level"` Message string `json:"message"` } func displayNotices(input *Input) { // Avoid causing trouble parsing the json if input.listOptions { return } select { case notices := <-noticesLoaded: if len(notices) > 0 { noticeLogger := log.New() if input.jsonLogger { noticeLogger.SetFormatter(&log.JSONFormatter{}) } else { noticeLogger.SetFormatter(&log.TextFormatter{ DisableQuote: true, DisableTimestamp: true, PadLevelText: true, }) } fmt.Printf("\n") for _, notice := range notices { level, err := log.ParseLevel(notice.Level) if err != nil { level = log.InfoLevel } noticeLogger.Log(level, notice.Message) } } case <-time.After(time.Second * 1): log.Debugf("Timeout waiting for notices") } } var noticesLoaded = make(chan []Notice) func loadVersionNotices(version string) { go func() { noticesLoaded <- getVersionNotices(version) }() } const NoticeURL = "https://api.nektosact.com/notices" func getVersionNotices(version string) []Notice { if os.Getenv("ACT_DISABLE_VERSION_CHECK") == "1" { return nil } noticeURL, err := url.Parse(NoticeURL) if err != nil { log.Error(err) return nil } query := noticeURL.Query() query.Add("os", runtime.GOOS) query.Add("arch", runtime.GOARCH) query.Add("version", version) noticeURL.RawQuery = query.Encode() client := &http.Client{} req, err := http.NewRequest("GET", noticeURL.String(), nil) if err != nil { log.Debug(err) return nil } etag := loadNoticesEtag() if etag != "" { log.Debugf("Conditional GET for notices etag=%s", etag) req.Header.Set("If-None-Match", etag) } resp, err := client.Do(req) if err != nil { log.Debug(err) return nil } newEtag := resp.Header.Get("Etag") if newEtag != "" { log.Debugf("Saving notices etag=%s", newEtag) saveNoticesEtag(newEtag) } defer resp.Body.Close() notices := []Notice{} if resp.StatusCode == 304 { log.Debug("No new notices") return nil } if err := json.NewDecoder(resp.Body).Decode(&notices); err != nil { log.Debug(err) return nil } return notices } func loadNoticesEtag() string { p := etagPath() content, err := os.ReadFile(p) if err != nil { log.Debugf("Unable to load etag from %s: %e", p, err) } return strings.TrimSuffix(string(content), "\n") } func saveNoticesEtag(etag string) { p := etagPath() err := os.WriteFile(p, []byte(strings.TrimSuffix(etag, "\n")), 0o600) if err != nil { log.Debugf("Unable to save etag to %s: %e", p, err) } } func etagPath() string { dir := filepath.Join(CacheHomeDir, "act") if err := os.MkdirAll(dir, 0o777); err != nil { log.Fatal(err) } return filepath.Join(dir, ".notices.etag") }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/input.go
cmd/input.go
package cmd import ( "path/filepath" log "github.com/sirupsen/logrus" ) // Input contains the input for the root command type Input struct { actor string workdir string workflowsPath string autodetectEvent bool eventPath string reuseContainers bool bindWorkdir bool secrets []string vars []string envs []string inputs []string platforms []string dryrun bool forcePull bool forceRebuild bool noOutput bool envfile string inputfile string secretfile string varfile string insecureSecrets bool defaultBranch string privileged bool usernsMode string containerArchitecture string containerDaemonSocket string containerOptions string noWorkflowRecurse bool useGitIgnore bool githubInstance string containerCapAdd []string containerCapDrop []string autoRemove bool artifactServerPath string artifactServerAddr string artifactServerPort string noCacheServer bool cacheServerPath string cacheServerExternalURL string cacheServerAddr string cacheServerPort uint16 jsonLogger bool noSkipCheckout bool remoteName string replaceGheActionWithGithubCom []string replaceGheActionTokenWithGithubCom string matrix []string actionCachePath string actionOfflineMode bool logPrefixJobID bool networkName string useNewActionCache bool localRepository []string listOptions bool validate bool strict bool concurrentJobs int } func (i *Input) resolve(path string) string { basedir, err := filepath.Abs(i.workdir) if err != nil { log.Fatal(err) } if path == "" { return path } if !filepath.IsAbs(path) { path = filepath.Join(basedir, path) } return path } // Envfile returns path to .env func (i *Input) Envfile() string { return i.resolve(i.envfile) } // Secretfile returns path to secrets func (i *Input) Secretfile() string { return i.resolve(i.secretfile) } func (i *Input) Varfile() string { return i.resolve(i.varfile) } // Workdir returns path to workdir func (i *Input) Workdir() string { return i.resolve(".") } // WorkflowsPath returns path to workflow file(s) func (i *Input) WorkflowsPath() string { return i.resolve(i.workflowsPath) } // EventPath returns the path to events file func (i *Input) EventPath() string { return i.resolve(i.eventPath) } // Inputfile returns the path to the input file func (i *Input) Inputfile() string { return i.resolve(i.inputfile) }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/execute_test.go
cmd/execute_test.go
package cmd import ( "context" "os" "testing" ) // Helper function to test main with different os.Args func testMain(args []string) (exitCode int) { // Save original os.Args and defer restoring it origArgs := os.Args defer func() { os.Args = origArgs }() // Save original os.Exit and defer restoring it defer func() { exitFunc = os.Exit }() // Mock os.Exit fakeExit := func(code int) { exitCode = code } exitFunc = fakeExit // Mock os.Args os.Args = args // Run the main function Execute(context.Background(), "") return exitCode } func TestMainHelp(t *testing.T) { exitCode := testMain([]string{"cmd", "--help"}) if exitCode != 0 { t.Errorf("Expected exit code 0, got %d", exitCode) } } func TestMainNoArgsError(t *testing.T) { exitCode := testMain([]string{"cmd"}) if exitCode != 1 { t.Errorf("Expected exit code 1, got %d", exitCode) } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/graph.go
cmd/graph.go
package cmd import ( "os" "github.com/nektos/act/pkg/common" "github.com/nektos/act/pkg/model" ) func drawGraph(plan *model.Plan) error { drawings := make([]*common.Drawing, 0) jobPen := common.NewPen(common.StyleSingleLine, 96) arrowPen := common.NewPen(common.StyleNoLine, 97) for i, stage := range plan.Stages { if i > 0 { drawings = append(drawings, arrowPen.DrawArrow()) } ids := make([]string, 0) for _, r := range stage.Runs { ids = append(ids, r.String()) } drawings = append(drawings, jobPen.DrawBoxes(ids...)) } maxWidth := 0 for _, d := range drawings { if d.GetWidth() > maxWidth { maxWidth = d.GetWidth() } } for _, d := range drawings { d.Draw(os.Stdout, maxWidth) } return nil }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
nektos/act
https://github.com/nektos/act/blob/d93106d194bba273d70d2ba604ea633c3f396b59/cmd/dir.go
cmd/dir.go
package cmd import ( "os" "path/filepath" log "github.com/sirupsen/logrus" ) var ( UserHomeDir string CacheHomeDir string ) func init() { home, err := os.UserHomeDir() if err != nil { log.Fatal(err) } UserHomeDir = home if v := os.Getenv("XDG_CACHE_HOME"); v != "" { CacheHomeDir = v } else { CacheHomeDir = filepath.Join(UserHomeDir, ".cache") } }
go
MIT
d93106d194bba273d70d2ba604ea633c3f396b59
2026-01-07T08:35:43.481138Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/stale_repositories_test.go
stale_repositories_test.go
package main import ( "bytes" "context" "encoding/json" "fmt" "log" "net/http" "os" "regexp" "strings" "testing" "text/template" "time" "github.com/PuerkitoBio/goquery" "golang.org/x/oauth2" ) const issueTemplateContent = ` {{range .}} - [ ] {{.}} {{end}} ` var issueTemplate = template.Must(template.New("issue").Parse(issueTemplateContent)) // FIXME: use official github client var reGithubRepo = regexp.MustCompile("https://github.com/([a-zA-Z0-9-._]+)/([a-zA-Z0-9-._]+)$") var githubGETREPO = "https://api.github.com/repos%s" var githubGETCOMMITS = "https://api.github.com/repos%s/commits" var githubPOSTISSUES = "https://api.github.com/repos/avelino/awesome-go/issues" // FIXME: use https var awesomeGoGETISSUES = "http://api.github.com/repos/avelino/awesome-go/issues" //only returns open issues // FIXME: variable has type Duration, but contains a number. we should use // // time.Hour * ... or change type of variable var numberOfYears time.Duration = 1 var timeNow = time.Now() var issueTitle = fmt.Sprintf("Investigate repositories with more than 1 year without update - %s", timeNow.Format(time.DateOnly)) const deadLinkMessage = " this repository might no longer exist! (status code >= 400 returned)" const movedPermanently = " status code 301 received" const status302 = " status code 302 received" const archived = " repository has been archived" // LIMIT specifies the max number of repositories that are added in a single run of the script var LIMIT = 10 var ctr = 0 type tokenSource struct { AccessToken string } type issue struct { Title string `json:"title"` Body string `json:"body"` } func (t *tokenSource) Token() (*oauth2.Token, error) { return &oauth2.Token{ AccessToken: t.AccessToken, }, nil } func getRepositoriesFromBody(body string) []string { links := strings.Split(body, "- ") for i, link := range links { link = strings.ReplaceAll(link, "\r", "") link = strings.ReplaceAll(link, "[ ]", "") link = strings.ReplaceAll(link, "[x]", "") link = strings.ReplaceAll(link, " ", "") link = strings.ReplaceAll(link, "\n", "") link = strings.ReplaceAll(link, deadLinkMessage, "") link = strings.ReplaceAll(link, movedPermanently, "") link = strings.ReplaceAll(link, status302, "") link = strings.ReplaceAll(link, archived, "") links[i] = link } return links } func generateIssueBody(t *testing.T, repositories []string) (string, error) { t.Helper() buf := bytes.NewBuffer(nil) err := issueTemplate.Execute(buf, repositories) requireNoErr(t, err, "Failed to generate template") return buf.String(), nil } func createIssue(t *testing.T, staleRepos []string, client *http.Client) { t.Helper() if len(staleRepos) == 0 { log.Print("NO STALE REPOSITORIES") return } body, err := generateIssueBody(t, staleRepos) requireNoErr(t, err, "failed to generate issue body") newIssue := &issue{ Title: issueTitle, Body: body, } buf := bytes.NewBuffer(nil) requireNoErr(t, json.NewEncoder(buf).Encode(newIssue), "failed to encode json req") req, err := http.NewRequest(http.MethodPost, githubPOSTISSUES, buf) requireNoErr(t, err, "failed to create request") _, roundTripErr := client.Do(req) requireNoErr(t, roundTripErr, "failed to send request") } func getAllFlaggedRepositories(t *testing.T, client *http.Client) map[string]bool { t.Helper() req, err := http.NewRequest(http.MethodGet, awesomeGoGETISSUES, nil) requireNoErr(t, err, "failed to create request") res, err := client.Do(req) requireNoErr(t, err, "failed to send request") defer res.Body.Close() var issues []issue requireNoErr(t, json.NewDecoder(res.Body).Decode(&issues), "failed to unmarshal response") addressedRepositories := make(map[string]bool) for _, issue := range issues { if issue.Title != issueTitle { continue } repos := getRepositoriesFromBody(issue.Body) for _, repo := range repos { addressedRepositories[repo] = true } } return addressedRepositories } func checkRepoAvailability(toRun bool, href string, client *http.Client) ([]string, bool) { if !toRun { return nil, false } ownerRepo := strings.ReplaceAll(href, "https://github.com", "") apiCall := fmt.Sprintf(githubGETREPO, ownerRepo) req, err := http.NewRequest(http.MethodGet, apiCall, nil) if err != nil { log.Printf("Failed at repository %s\n", href) return nil, false } resp, err := client.Do(req) if err != nil { log.Printf("Failed at repository %s\n", href) return nil, false } defer resp.Body.Close() var repoResp struct { Archived bool `json:"archived"` } if err := json.NewDecoder(resp.Body).Decode(&repoResp); err != nil { return nil, false } var isRepoAdded bool var warnings []string if resp.StatusCode == http.StatusMovedPermanently { warnings = append(warnings, href+movedPermanently) log.Printf("%s returned %d", href, resp.StatusCode) isRepoAdded = true } if resp.StatusCode == http.StatusFound && !isRepoAdded { warnings = append(warnings, href+status302) log.Printf("%s returned %d", href, resp.StatusCode) isRepoAdded = true } if resp.StatusCode >= http.StatusBadRequest && !isRepoAdded { warnings = append(warnings, href+deadLinkMessage) log.Printf("%s might not exist!", href) isRepoAdded = true } if repoResp.Archived && !isRepoAdded { warnings = append(warnings, href+archived) log.Printf("%s is archived!", href) isRepoAdded = true } // FIXME: expression `(len(warnings) > 0) == isRepoAdded` is always true. return warnings, isRepoAdded } func checkRepoCommitActivity(toRun bool, href string, client *http.Client) ([]string, bool) { if !toRun { return nil, false } ownerRepo := strings.ReplaceAll(href, "https://github.com", "") apiCall := fmt.Sprintf(githubGETCOMMITS, ownerRepo) req, err := http.NewRequest(http.MethodGet, apiCall, nil) if err != nil { log.Printf("Failed at repository %s\n", href) return nil, false } since := timeNow.Add(-1 * 365 * 24 * numberOfYears * time.Hour) sinceQuery := since.Format(time.RFC3339) q := req.URL.Query() q.Add("since", sinceQuery) req.URL.RawQuery = q.Encode() resp, err := client.Do(req) if err != nil { log.Printf("Failed at repository %s\n", href) return nil, false } defer resp.Body.Close() var respObj []map[string]interface{} // FIXME: handle error in all that cases if err := json.NewDecoder(resp.Body).Decode(&respObj); err != nil { return nil, false } var warnings []string var isRepoAdded bool isAged := len(respObj) == 0 if isAged { log.Printf("%s has not had a commit in a while", href) warnings = append(warnings, href) isRepoAdded = true } // FIXME: expression `(len(warnings) > 0) == isRepoAdded` is always true. return warnings, isRepoAdded } func TestStaleRepository(t *testing.T) { doc := goqueryFromReadme(t) oauth := os.Getenv("OAUTH_TOKEN") client := &http.Client{ Transport: &http.Transport{}, } if oauth == "" { log.Print("No oauth token found. Using unauthenticated client ...") } else { tokenSource := &tokenSource{ AccessToken: oauth, } client = oauth2.NewClient(context.Background(), tokenSource) } // FIXME: return addressedRepositories, no need to pass addressedRepositories := getAllFlaggedRepositories(t, client) var staleRepos []string doc. Find("body li > a:first-child"). EachWithBreak(func(_ int, s *goquery.Selection) bool { href, ok := s.Attr("href") if !ok { log.Println("expected to have href") return true } if ctr >= LIMIT && LIMIT != -1 { log.Print("Max number of issues created") return false } if _, issueExists := addressedRepositories[href]; issueExists { log.Printf("issue already exists for %s\n", href) return true } if !reGithubRepo.MatchString(href) { log.Printf("%s non-github repo not currently handled", href) } // FIXME: this is `or` expres24sion. Probably we need `and`? warnings, isRepoAdded := checkRepoAvailability(true, href, client) staleRepos = append(staleRepos, warnings...) warnings, isRepoAdded = checkRepoCommitActivity(!isRepoAdded, href, client) staleRepos = append(staleRepos, warnings...) if isRepoAdded { ctr++ } return true }) createIssue(t, staleRepos, client) }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/main_test.go
main_test.go
package main import ( "bytes" "github.com/avelino/awesome-go/pkg/markdown" "os" "regexp" "sort" "strings" "testing" "github.com/PuerkitoBio/goquery" ) var ( reContainsLink = regexp.MustCompile(`\* \[.*\]\(.*\)`) reOnlyLink = regexp.MustCompile(`\* \[.*\]\([^()]*\)$`) reLinkWithDescription = regexp.MustCompile(`\* \[.*\]\(.*\) - \S.*[\.\!]`) ) func requireNoErr(t *testing.T, err error, msg string) { // FIXME: replace to github.com/stretchr/testify t.Helper() if msg == "" { msg = "unknown error" } if err != nil { t.Fatalf("Received unexpected error [%s]: %+v", msg, err) } } func goqueryFromReadme(t *testing.T) *goquery.Document { t.Helper() input, err := os.ReadFile(readmePath) requireNoErr(t, err, "readme file should be exists") html, err := markdown.ToHTML(input) requireNoErr(t, err, "markdown should be rendered to html") buf := bytes.NewBuffer(html) doc, err := goquery.NewDocumentFromReader(buf) requireNoErr(t, err, "html must be valid for goquery") return doc } func TestAlpha(t *testing.T) { doc := goqueryFromReadme(t) doc.Find("body > ul").Each(func(i int, s *goquery.Selection) { if i != 0 { // skip content menu // TODO: the sub items (with 3 hash marks `###`) are staying in // the main list, not respecting the hierarchy and making it // impossible to test the alphabetical order testList(t, s) } }) } func TestDuplicatedLinks(t *testing.T) { doc := goqueryFromReadme(t) links := make(map[string]bool, 0) doc.Find("body li > a:first-child").Each(func(_ int, s *goquery.Selection) { t.Run(s.Text(), func(t *testing.T) { href, ok := s.Attr("href") if !ok { t.Error("expected to have href") } if links[href] { t.Fatalf("duplicated link '%s'", href) } links[href] = true }) }) } // Test if an entry has description, it must be separated from link with ` - ` func TestSeparator(t *testing.T) { var matched, containsLink, noDescription bool input, err := os.ReadFile(readmePath) requireNoErr(t, err, "readme should be exists") lines := strings.Split(string(input), "\n") for _, line := range lines { line = strings.Trim(line, " ") containsLink = reContainsLink.MatchString(line) if containsLink { noDescription = reOnlyLink.MatchString(line) if noDescription { continue } matched = reLinkWithDescription.MatchString(line) if !matched { t.Errorf("expected entry to be in form of `* [link] - description.`, got '%s'", line) } } } } func TestRenderIndex(t *testing.T) { requireNoErr(t, mkdirAll(outDir), "output dir should exists") err := renderIndex(readmePath, outIndexFile) requireNoErr(t, err, "html should be rendered") } func testList(t *testing.T, list *goquery.Selection) { list.Find("ul").Each(func(_ int, items *goquery.Selection) { testList(t, items) items.RemoveFiltered("ul") }) t.Run(list.Prev().Text(), func(t *testing.T) { checkAlphabeticOrder(t, list) }) } func checkAlphabeticOrder(t *testing.T, s *goquery.Selection) { items := s.Find("li > a:first-child").Map(func(_ int, li *goquery.Selection) string { return strings.ToLower(li.Text()) }) sorted := make([]string, len(items)) copy(sorted, items) sort.Strings(sorted) for k, item := range items { if item != sorted[k] { t.Errorf("expected '%s' but actual is '%s'", sorted[k], item) } } if t.Failed() { t.Logf("expected order is:\n%s", strings.Join(sorted, "\n")) } }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/maturity_test.go
maturity_test.go
package main import ( "encoding/json" "fmt" "net/http" "os" "strings" "testing" "time" "github.com/PuerkitoBio/goquery" ) var ( githubApiAuthorizationToken = os.Getenv("GITHUB_API_TOKEN") minimumMaturityDate = time.Now().AddDate(0, -5, 0) ) func TestMaturity(t *testing.T) { doc := goqueryFromReadme(t) doc.Find("body li > a:first-child").Each(func(_ int, s *goquery.Selection) { t.Run(s.Text(), func(t *testing.T) { href, ok := s.Attr("href") if !ok { t.Error("expected to have href") } matches := reGithubRepo.FindStringSubmatch(href) if matches == nil { return } if len(matches) != 3 { t.Fatalf("failed to extract repo and user from: %s, got [%v]", href, strings.Join(matches, ", ")) } if err := checkRepositoryMaturity(matches[1], matches[2]); err != nil { t.Fatal(err) } }) }) } func checkRepositoryMaturity(user, repo string) error { until := minimumMaturityDate.Format(time.RFC3339) url := fmt.Sprintf("https://api.github.com/repos/%s/%s/commits?per_page=1&until=%s", user, repo, until) request, err := http.NewRequest(http.MethodGet, url, nil) if err != nil { return fmt.Errorf("failed to create request for `%s`, %v", url, err) } request.Header.Set("Accept", "application/vnd.github+json") request.Header.Set("X-GitHub-Api-Version", "2022-11-28") request.Header.Set("User-Agent", "avelino") request.Header.Set("Authorization", "Bearer "+githubApiAuthorizationToken) http.DefaultClient.Timeout = time.Minute httpRes, err := http.DefaultClient.Do(request) if err != nil { return fmt.Errorf("failed to fetch commits for [%s/%s], %v", user, repo, err) } defer httpRes.Body.Close() var commits []any err = json.NewDecoder(httpRes.Body).Decode(&commits) if err != nil { return fmt.Errorf("failed to decode response for [%s/%s], %v", user, repo, err) } if len(commits) == 0 { minimumDate := minimumMaturityDate.Format(time.DateOnly) return fmt.Errorf("the project [%s/%s] doesn't have any commits before %s, this is a maturity violation", user, repo, minimumDate) } return nil }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/main.go
main.go
// Package main contains code for generate static site. package main import ( "bytes" "embed" "errors" "fmt" template2 "html/template" "net/url" "os" "path/filepath" "text/template" "github.com/avelino/awesome-go/pkg/markdown" cp "github.com/otiai10/copy" "github.com/PuerkitoBio/goquery" "github.com/avelino/awesome-go/pkg/slug" ) // Link contains info about awesome url type Link struct { Title string URL string Description string } // Category describe link category type Category struct { Title string Slug string Description string Links []Link } // Source files const readmePath = "README.md" // This files should be copied 'as is' to outDir directory var staticFiles = []string{ "tmpl/assets", "tmpl/robots.txt", } // Templates //go:embed tmpl/*.tmpl.html tmpl/*.tmpl.xml var tplFs embed.FS var tpl = template.Must(template.ParseFS(tplFs, "tmpl/*.tmpl.html", "tmpl/*.tmpl.xml")) // Output files const outDir = "out/" // NOTE: trailing slash is required var outIndexFile = filepath.Join(outDir, "index.html") var outSitemapFile = filepath.Join(outDir, "sitemap.xml") func main() { if err := buildStaticSite(); err != nil { panic(err) } } func buildStaticSite() error { if err := dropCreateDir(outDir); err != nil { return fmt.Errorf("drop-create out dir: %w", err) } if err := renderIndex(readmePath, outIndexFile); err != nil { return fmt.Errorf("convert markdown to html: %w", err) } input, err := os.ReadFile(outIndexFile) if err != nil { return fmt.Errorf("read converted html: %w", err) } doc, err := goquery.NewDocumentFromReader(bytes.NewReader(input)) if err != nil { return fmt.Errorf("create goquery instance: %w", err) } categories, err := extractCategories(doc) if err != nil { return fmt.Errorf("extract categories: %w", err) } if err := renderCategories(categories); err != nil { return fmt.Errorf("render categories: %w", err) } if err := rewriteLinksInIndex(doc, categories); err != nil { return fmt.Errorf("rewrite links in index: %w", err) } if err := renderSitemap(categories); err != nil { return fmt.Errorf("render sitemap: %w", err) } for _, srcFilename := range staticFiles { dstFilename := filepath.Join(outDir, filepath.Base(srcFilename)) fmt.Printf("Copy static file: %s -> %s\n", srcFilename, dstFilename) if err := cp.Copy(srcFilename, dstFilename); err != nil { return fmt.Errorf("copy static file `%s` to `%s`: %w", srcFilename, dstFilename, err) } } return nil } // dropCreateDir drop and create output directory func dropCreateDir(dir string) error { if err := os.RemoveAll(dir); err != nil { return fmt.Errorf("remove dir: %w", err) } if err := mkdirAll(dir); err != nil { return fmt.Errorf("create dir: %w", err) } return nil } func mkdirAll(path string) error { _, err := os.Stat(path) // directory is exists if err == nil { return nil } // unexpected error if !os.IsNotExist(err) { return fmt.Errorf("unexpected result of dir stat: %w", err) } // directory is not exists if err := os.MkdirAll(path, 0755); err != nil { return fmt.Errorf("midirAll: %w", err) } return nil } func renderCategories(categories map[string]Category) error { for _, category := range categories { categoryDir := filepath.Join(outDir, category.Slug) if err := mkdirAll(categoryDir); err != nil { return fmt.Errorf("create category dir `%s`: %w", categoryDir, err) } // FIXME: embed templates categoryIndexFilename := filepath.Join(categoryDir, "index.html") fmt.Printf("Write category Index file: %s\n", categoryIndexFilename) buf := bytes.NewBuffer(nil) if err := tpl.Lookup("category-index.tmpl.html").Execute(buf, category); err != nil { return fmt.Errorf("render category `%s`: %w", categoryDir, err) } // Sanitize HTML. This is not necessary, but allows to have content // of all html files in same style. { doc, err := goquery.NewDocumentFromReader(buf) if err != nil { return fmt.Errorf("create goquery instance for `%s`: %w", categoryDir, err) } html, err := doc.Html() if err != nil { return fmt.Errorf("render goquery html for `%s`: %w", categoryDir, err) } if err := os.WriteFile(categoryIndexFilename, []byte(html), 0644); err != nil { return fmt.Errorf("write category file `%s`: %w", categoryDir, err) } } } return nil } func renderSitemap(categories map[string]Category) error { f, err := os.Create(outSitemapFile) if err != nil { return fmt.Errorf("create sitemap file `%s`: %w", outSitemapFile, err) } fmt.Printf("Render Sitemap to: %s\n", outSitemapFile) if err := tpl.Lookup("sitemap.tmpl.xml").Execute(f, categories); err != nil { return fmt.Errorf("render sitemap: %w", err) } return nil } func extractCategories(doc *goquery.Document) (map[string]Category, error) { categories := make(map[string]Category) var rootErr error doc. Find("body #contents"). NextFiltered("ul"). Find("ul"). EachWithBreak(func(_ int, selUl *goquery.Selection) bool { if rootErr != nil { return false } selUl. Find("li a"). EachWithBreak(func(_ int, s *goquery.Selection) bool { selector, exists := s.Attr("href") if !exists { return true } category, err := extractCategory(doc, selector) if err != nil { rootErr = fmt.Errorf("extract category: %w", err) return false } categories[selector] = *category return true }) return true }) if rootErr != nil { return nil, fmt.Errorf("extract categories: %w", rootErr) } return categories, nil } func extractCategory(doc *goquery.Document, selector string) (*Category, error) { var category Category var err error doc.Find(selector).EachWithBreak(func(_ int, selCatHeader *goquery.Selection) bool { selDescr := selCatHeader.NextFiltered("p") // FIXME: bug. this would select links from all neighboring // sub-categories until the next category. To prevent this we should // find only first ul ul := selCatHeader.NextFilteredUntil("ul", "h2") var links []Link ul.Find("li").Each(func(_ int, selLi *goquery.Selection) { selLink := selLi.Find("a") url, _ := selLink.Attr("href") link := Link{ Title: selLink.Text(), // FIXME(kazhuravlev): Title contains only title but // description contains Title + description Description: selLi.Text(), URL: url, } links = append(links, link) }) // FIXME: In this case we would have an empty category in main index.html with link to 404 page. if len(links) == 0 { err = errors.New("category does not contain links") return false } category = Category{ Slug: slug.Generate(selCatHeader.Text()), Title: selCatHeader.Text(), Description: selDescr.Text(), Links: links, } return true }) if err != nil { return nil, fmt.Errorf("build a category: %w", err) } return &category, nil } func rewriteLinksInIndex(doc *goquery.Document, categories map[string]Category) error { var iterErr error doc. Find("body #content ul li ul li a"). EachWithBreak(func(_ int, s *goquery.Selection) bool { href, hrefExists := s.Attr("href") if !hrefExists { // FIXME: looks like is an error. Tag `a` in our case always // should have `href` attr. return true } // do not replace links if no page has been created for it _, catExists := categories[href] if !catExists { return true } linkURL, err := url.Parse(href) if err != nil { iterErr = err return false } if linkURL.Fragment != "" && linkURL.Fragment != "contents" { s.SetAttr("href", linkURL.Fragment) } return true }) if iterErr != nil { return iterErr } fmt.Printf("Rewrite links in Index file: %s\n", outIndexFile) resultHTML, err := doc.Html() if err != nil { return fmt.Errorf("render html: %w", err) } if err := os.WriteFile(outIndexFile, []byte(resultHTML), 0644); err != nil { return fmt.Errorf("rewrite index file: %w", err) } return nil } // renderIndex generate site html (index.html) from markdown file func renderIndex(srcFilename, outFilename string) error { input, err := os.ReadFile(srcFilename) if err != nil { return err } body, err := markdown.ToHTML(input) if err != nil { return err } f, err := os.Create(outFilename) if err != nil { return err } fmt.Printf("Write Index file: %s\n", outIndexFile) data := map[string]interface{}{ "Body": template2.HTML(body), } if err := tpl.Lookup("index.tmpl.html").Execute(f, data); err != nil { return err } if err := f.Close(); err != nil { return fmt.Errorf("close index file: %w", err) } return nil }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/pkg/slug/generator.go
pkg/slug/generator.go
package slug import ( "strings" "github.com/avelino/slugify" ) // Generate slugs similar to GitHub's slugs on markdown parsing func Generate(text string) string { // FIXME: this is should be like regexp.Replace(`[^-a-zA-Z\d]+`, ``) s := strings.ReplaceAll(text, "/", "") return slugify.Slugify(strings.TrimSpace(s)) }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/pkg/slug/generator_test.go
pkg/slug/generator_test.go
package slug import "testing" func TestGenerate(t *testing.T) { tests := []struct { name string input string expected string }{ { name: "with spaces", input: "some string with spaces", expected: "some-string-with-spaces", }, { name: "with out any non-literal chars", input: "inputstring", expected: "inputstring", }, { name: "with whitespace prefix and suffix", input: " inputstring ", expected: "inputstring", }, { name: "a mix of special characters", input: " an input string (with.special/chars,such_as:§\\?$/§&!) ", expected: "an-input-string-with-specialchars-such-as", }, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { if got := Generate(tt.input); got != tt.expected { t.Errorf("Generate() = %v, want %v", got, tt.expected) } }) } }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/pkg/markdown/convert_test.go
pkg/markdown/convert_test.go
package markdown import ( "strings" "testing" ) func TestToHTML(t *testing.T) { input := []byte( `## some headline followed by some paragraph with [a link](https://example.local) and some list: - first - second - nested on second level - nested on third level - ~~strikethrough~~ - yet another second level item, **but** with a [a link](https://example.local) - end ### h3 headline/header <a href="https://example.local">embedded HTML is allowed</a> `, ) expected := []byte( `<h2 id="some-headline">some headline</h2> <p>followed by some paragraph with <a href="https://example.local">a link</a> and some list:</p> <ul> <li>first</li> <li>second <ul> <li>nested on second level <ul> <li>nested on third level</li> <li><del>strikethrough</del></li> </ul> </li> <li>yet another second level item, <strong>but</strong> with a <a href="https://example.local">a link</a></li> </ul> </li> <li>end</li> </ul> <h3 id="h3-headlineheader">h3 headline/header</h3> <p><a href="https://example.local">embedded HTML is allowed</a></p>`, ) got, err := ToHTML(input) if err != nil { t.Errorf("ToHTML() error = %v", err) return } if strings.TrimSpace(string(got)) != strings.TrimSpace(string(expected)) { t.Errorf("ToHTML() got = %v, want %v", string(got), string(expected)) } }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
avelino/awesome-go
https://github.com/avelino/awesome-go/blob/6baf3277ae0ab60edf402a6f17ab81bd3db44666/pkg/markdown/convert.go
pkg/markdown/convert.go
package markdown import ( "bytes" "github.com/avelino/awesome-go/pkg/slug" "github.com/yuin/goldmark" "github.com/yuin/goldmark/ast" "github.com/yuin/goldmark/extension" "github.com/yuin/goldmark/parser" "github.com/yuin/goldmark/renderer/html" "github.com/yuin/goldmark/util" ) // ToHTML converts markdown byte slice to a HTML byte slice func ToHTML(markdown []byte) ([]byte, error) { md := goldmark.New( goldmark.WithExtensions(extension.GFM), goldmark.WithParserOptions( parser.WithAutoHeadingID(), // generate heading IDs for content navigation ), goldmark.WithRendererOptions( html.WithXHTML(), html.WithUnsafe(), // allow inline HTML ), ) ctx := parser.NewContext( parser.WithIDs(&IDGenerator{}), // register custom ID generator ) var buf bytes.Buffer if err := md.Convert(markdown, &buf, parser.WithContext(ctx)); err != nil { return nil, err } return buf.Bytes(), nil } // IDGenerator for goldmark to provide IDs more similar to GitHub's IDs on markdown parsing type IDGenerator struct { used map[string]bool } // Generate an ID func (g *IDGenerator) Generate(value []byte, _ ast.NodeKind) []byte { return []byte(slug.Generate(string(value))) } // Put an ID to the list of already used IDs func (g *IDGenerator) Put(value []byte) { g.used[util.BytesToReadOnlyString(value)] = true }
go
MIT
6baf3277ae0ab60edf402a6f17ab81bd3db44666
2026-01-07T08:35:43.239289Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/main.go
main.go
package main import ( _ "embed" "fmt" "os" "os/exec" "strings" fzf "github.com/junegunn/fzf/src" "github.com/junegunn/fzf/src/protector" ) var version = "0.67" var revision = "devel" //go:embed shell/key-bindings.bash var bashKeyBindings []byte //go:embed shell/completion.bash var bashCompletion []byte //go:embed shell/key-bindings.zsh var zshKeyBindings []byte //go:embed shell/completion.zsh var zshCompletion []byte //go:embed shell/key-bindings.fish var fishKeyBindings []byte //go:embed man/man1/fzf.1 var manPage []byte func printScript(label string, content []byte) { fmt.Println("### " + label + " ###") fmt.Println(strings.TrimSpace(string(content))) fmt.Println("### end: " + label + " ###") } func exit(code int, err error) { if code == fzf.ExitError && err != nil { fmt.Fprintln(os.Stderr, err.Error()) } os.Exit(code) } func main() { protector.Protect() options, err := fzf.ParseOptions(true, os.Args[1:]) if err != nil { exit(fzf.ExitError, err) return } if options.Bash { printScript("key-bindings.bash", bashKeyBindings) printScript("completion.bash", bashCompletion) return } if options.Zsh { printScript("key-bindings.zsh", zshKeyBindings) printScript("completion.zsh", zshCompletion) return } if options.Fish { printScript("key-bindings.fish", fishKeyBindings) fmt.Println("fzf_key_bindings") return } if options.Help { fmt.Print(fzf.Usage) return } if options.Version { if len(revision) > 0 { fmt.Printf("%s (%s)\n", version, revision) } else { fmt.Println(version) } return } if options.Man { file := fzf.WriteTemporaryFile([]string{string(manPage)}, "\n") if len(file) == 0 { fmt.Print(string(manPage)) return } defer os.Remove(file) cmd := exec.Command("man", file) cmd.Stdin = os.Stdin cmd.Stdout = os.Stdout if err := cmd.Run(); err != nil { fmt.Print(string(manPage)) } return } code, err := fzf.Run(options) exit(code, err) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/options_no_pprof.go
src/options_no_pprof.go
//go:build !pprof // +build !pprof package fzf import "errors" func (o *Options) initProfiling() error { if o.CPUProfile != "" || o.MEMProfile != "" || o.BlockProfile != "" || o.MutexProfile != "" { return errors.New("error: profiling not supported: FZF must be built with '-tags=pprof' to enable profiling") } return nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/merger_test.go
src/merger_test.go
package fzf import ( "fmt" "math/rand" "sort" "testing" "github.com/junegunn/fzf/src/util" ) func assert(t *testing.T, cond bool, msg ...string) { if !cond { t.Error(msg) } } func randResult() Result { str := fmt.Sprintf("%d", rand.Uint32()) chars := util.ToChars([]byte(str)) chars.Index = rand.Int31() return Result{item: &Item{text: chars}} } func TestEmptyMerger(t *testing.T) { r := revision{} assert(t, EmptyMerger(r).Length() == 0, "Not empty") assert(t, EmptyMerger(r).count == 0, "Invalid count") assert(t, len(EmptyMerger(r).lists) == 0, "Invalid lists") assert(t, len(EmptyMerger(r).merged) == 0, "Invalid merged list") } func buildLists(partiallySorted bool) ([][]Result, []Result) { numLists := 4 lists := make([][]Result, numLists) cnt := 0 for i := range numLists { numResults := rand.Int() % 20 cnt += numResults lists[i] = make([]Result, numResults) for j := range numResults { item := randResult() lists[i][j] = item } if partiallySorted { sort.Sort(ByRelevance(lists[i])) } } items := []Result{} for _, list := range lists { items = append(items, list...) } return lists, items } func TestMergerUnsorted(t *testing.T) { lists, items := buildLists(false) cnt := len(items) // Not sorted: same order mg := NewMerger(nil, lists, false, false, revision{}, 0, 0) assert(t, cnt == mg.Length(), "Invalid Length") for i := range cnt { assert(t, items[i] == mg.Get(i), "Invalid Get") } } func TestMergerSorted(t *testing.T) { lists, items := buildLists(true) cnt := len(items) // Sorted sorted order mg := NewMerger(nil, lists, true, false, revision{}, 0, 0) assert(t, cnt == mg.Length(), "Invalid Length") sort.Sort(ByRelevance(items)) for i := range cnt { if items[i] != mg.Get(i) { t.Error("Not sorted", items[i], mg.Get(i)) } } // Inverse order mg2 := NewMerger(nil, lists, true, false, revision{}, 0, 0) for i := cnt - 1; i >= 0; i-- { if items[i] != mg2.Get(i) { t.Error("Not sorted", items[i], mg2.Get(i)) } } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/terminal_unix.go
src/terminal_unix.go
//go:build !windows package fzf import ( "os" "os/signal" "syscall" "golang.org/x/sys/unix" ) func notifyOnResize(resizeChan chan<- os.Signal) { signal.Notify(resizeChan, syscall.SIGWINCH) } func notifyStop(p *os.Process) { pid := p.Pid pgid, err := unix.Getpgid(pid) if err == nil { pid = pgid * -1 } unix.Kill(pid, syscall.SIGTSTP) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/history_test.go
src/history_test.go
package fzf import ( "os" "runtime" "testing" ) func TestHistory(t *testing.T) { maxHistory := 50 // Invalid arguments var paths []string if runtime.GOOS == "windows" { // GOPATH should exist, so we shouldn't be able to override it paths = []string{os.Getenv("GOPATH")} } else { paths = []string{"/etc", "/proc"} } for _, path := range paths { if _, e := NewHistory(path, maxHistory); e == nil { t.Error("Error expected for: " + path) } } f, _ := os.CreateTemp("", "fzf-history") f.Close() { // Append lines h, _ := NewHistory(f.Name(), maxHistory) for i := 0; i < maxHistory+10; i++ { h.append("foobar") } } { // Read lines h, _ := NewHistory(f.Name(), maxHistory) if len(h.lines) != maxHistory+1 { t.Errorf("Expected: %d, actual: %d\n", maxHistory+1, len(h.lines)) } for i := range maxHistory { if h.lines[i] != "foobar" { t.Error("Expected: foobar, actual: " + h.lines[i]) } } } { // Append lines h, _ := NewHistory(f.Name(), maxHistory) h.append("barfoo") h.append("") h.append("foobarbaz") } { // Read lines again h, _ := NewHistory(f.Name(), maxHistory) if len(h.lines) != maxHistory+1 { t.Errorf("Expected: %d, actual: %d\n", maxHistory+1, len(h.lines)) } compare := func(idx int, exp string) { if h.lines[idx] != exp { t.Errorf("Expected: %s, actual: %s\n", exp, h.lines[idx]) } } compare(maxHistory-3, "foobar") compare(maxHistory-2, "barfoo") compare(maxHistory-1, "foobarbaz") } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/terminal_windows.go
src/terminal_windows.go
//go:build windows package fzf import ( "os" ) func notifyOnResize(resizeChan chan<- os.Signal) { // TODO } func notifyStop(p *os.Process) { // NOOP }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/winpty.go
src/winpty.go
//go:build !windows package fzf import "errors" func needWinpty(_ *Options) bool { return false } func runWinpty(_ []string, _ *Options) (int, error) { return ExitError, errors.New("Not supported") }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/proxy.go
src/proxy.go
package fzf import ( "bufio" "errors" "fmt" "io" "os" "os/exec" "os/signal" "path/filepath" "regexp" "strings" "time" "github.com/junegunn/fzf/src/tui" "github.com/junegunn/fzf/src/util" ) const becomeSuffix = ".become" func escapeSingleQuote(str string) string { return "'" + strings.ReplaceAll(str, "'", "'\\''") + "'" } func fifo(name string) (string, error) { ns := time.Now().UnixNano() output := filepath.Join(os.TempDir(), fmt.Sprintf("fzf-%s-%d", name, ns)) output, err := mkfifo(output, 0600) if err != nil { return output, err } return output, nil } func runProxy(commandPrefix string, cmdBuilder func(temp string, needBash bool) (*exec.Cmd, error), opts *Options, withExports bool) (int, error) { output, err := fifo("proxy-output") if err != nil { return ExitError, err } defer os.Remove(output) // Take the output go func() { withOutputPipe(output, func(outputFile io.ReadCloser) { if opts.Output == nil { io.Copy(os.Stdout, outputFile) } else { reader := bufio.NewReader(outputFile) sep := opts.PrintSep[0] for { item, err := reader.ReadString(sep) if err != nil { break } opts.Output <- item } } }) }() var command, input string commandPrefix += ` --no-force-tty-in --proxy-script "$0"` if opts.Input == nil && (opts.ForceTtyIn || util.IsTty(os.Stdin)) { command = fmt.Sprintf(`%s > %q`, commandPrefix, output) } else { input, err = fifo("proxy-input") if err != nil { return ExitError, err } defer os.Remove(input) go func() { withInputPipe(input, func(inputFile io.WriteCloser) { if opts.Input == nil { io.Copy(inputFile, os.Stdin) } else { for item := range opts.Input { fmt.Fprint(inputFile, item+opts.PrintSep) } } }) }() if withExports { command = fmt.Sprintf(`%s < %q > %q`, commandPrefix, input, output) } else { // For mintty: cannot directly read named pipe from Go code command = fmt.Sprintf(`command cat %q | %s > %q`, input, commandPrefix, output) } } // Write the command to a temporary file and run it with sh to ensure POSIX compliance. var exports []string needBash := false if withExports { // Nullify FZF_DEFAULT_* variables as tmux popup may inject them even when undefined. exports = []string{"FZF_DEFAULT_COMMAND=", "FZF_DEFAULT_OPTS=", "FZF_DEFAULT_OPTS_FILE="} validIdentifier := regexp.MustCompile(`^[a-zA-Z_][a-zA-Z0-9_]*$`) for _, pairStr := range os.Environ() { pair := strings.SplitN(pairStr, "=", 2) if validIdentifier.MatchString(pair[0]) { exports = append(exports, fmt.Sprintf("export %s=%s", pair[0], escapeSingleQuote(pair[1]))) } else if strings.HasPrefix(pair[0], "BASH_FUNC_") && strings.HasSuffix(pair[0], "%%") { name := pair[0][10 : len(pair[0])-2] exports = append(exports, name+pair[1]) exports = append(exports, "export -f "+name) needBash = true } } } temp := WriteTemporaryFile(append(exports, command), "\n") defer os.Remove(temp) cmd, err := cmdBuilder(temp, needBash) if err != nil { return ExitError, err } cmd.Stderr = os.Stderr intChan := make(chan os.Signal, 1) defer close(intChan) go func() { if sig, valid := <-intChan; valid { cmd.Process.Signal(sig) } }() signal.Notify(intChan, os.Interrupt) if err := cmd.Run(); err != nil { if exitError, ok := err.(*exec.ExitError); ok { code := exitError.ExitCode() if code == ExitBecome { becomeFile := temp + becomeSuffix data, err := os.ReadFile(becomeFile) os.Remove(becomeFile) if err != nil { return ExitError, err } elems := strings.Split(string(data), "\x00") if len(elems) < 1 { return ExitError, errors.New("invalid become command") } command := elems[0] env := []string{} if len(elems) > 1 { env = elems[1:] } executor := util.NewExecutor(opts.WithShell) ttyin, err := tui.TtyIn(opts.TtyDefault) if err != nil { return ExitError, err } os.Remove(temp) os.Remove(input) os.Remove(output) executor.Become(ttyin, env, command) } return code, err } } return ExitOk, nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/actiontype_string.go
src/actiontype_string.go
// Code generated by "stringer -type=actionType"; DO NOT EDIT. package fzf import "strconv" func _() { // An "invalid array index" compiler error signifies that the constant values have changed. // Re-run the stringer command to generate them again. var x [1]struct{} _ = x[actIgnore-0] _ = x[actStart-1] _ = x[actClick-2] _ = x[actInvalid-3] _ = x[actBracketedPasteBegin-4] _ = x[actBracketedPasteEnd-5] _ = x[actChar-6] _ = x[actMouse-7] _ = x[actBeginningOfLine-8] _ = x[actAbort-9] _ = x[actAccept-10] _ = x[actAcceptNonEmpty-11] _ = x[actAcceptOrPrintQuery-12] _ = x[actBackwardChar-13] _ = x[actBackwardDeleteChar-14] _ = x[actBackwardDeleteCharEof-15] _ = x[actBackwardWord-16] _ = x[actBackwardSubWord-17] _ = x[actCancel-18] _ = x[actChangeBorderLabel-19] _ = x[actChangeGhost-20] _ = x[actChangeHeader-21] _ = x[actChangeFooter-22] _ = x[actChangeHeaderLabel-23] _ = x[actChangeFooterLabel-24] _ = x[actChangeInputLabel-25] _ = x[actChangeListLabel-26] _ = x[actChangeMulti-27] _ = x[actChangeNth-28] _ = x[actChangePointer-29] _ = x[actChangePreview-30] _ = x[actChangePreviewLabel-31] _ = x[actChangePreviewWindow-32] _ = x[actChangePrompt-33] _ = x[actChangeQuery-34] _ = x[actClearScreen-35] _ = x[actClearQuery-36] _ = x[actClearSelection-37] _ = x[actClose-38] _ = x[actDeleteChar-39] _ = x[actDeleteCharEof-40] _ = x[actEndOfLine-41] _ = x[actFatal-42] _ = x[actForwardChar-43] _ = x[actForwardWord-44] _ = x[actForwardSubWord-45] _ = x[actKillLine-46] _ = x[actKillWord-47] _ = x[actKillSubWord-48] _ = x[actUnixLineDiscard-49] _ = x[actUnixWordRubout-50] _ = x[actYank-51] _ = x[actBackwardKillWord-52] _ = x[actBackwardKillSubWord-53] _ = x[actSelectAll-54] _ = x[actDeselectAll-55] _ = x[actToggle-56] _ = x[actToggleSearch-57] _ = x[actToggleAll-58] _ = x[actToggleDown-59] _ = x[actToggleUp-60] _ = x[actToggleIn-61] _ = x[actToggleOut-62] _ = x[actToggleTrack-63] _ = x[actToggleTrackCurrent-64] _ = x[actToggleHeader-65] _ = x[actToggleWrap-66] _ = x[actToggleMultiLine-67] _ = x[actToggleHscroll-68] _ = x[actToggleRaw-69] _ = x[actEnableRaw-70] _ = x[actDisableRaw-71] _ = x[actTrackCurrent-72] _ = x[actToggleInput-73] _ = x[actHideInput-74] _ = x[actShowInput-75] _ = x[actUntrackCurrent-76] _ = x[actDown-77] _ = x[actDownMatch-78] _ = x[actUp-79] _ = x[actUpMatch-80] _ = x[actPageUp-81] _ = x[actPageDown-82] _ = x[actPosition-83] _ = x[actHalfPageUp-84] _ = x[actHalfPageDown-85] _ = x[actOffsetUp-86] _ = x[actOffsetDown-87] _ = x[actOffsetMiddle-88] _ = x[actJump-89] _ = x[actJumpAccept-90] _ = x[actPrintQuery-91] _ = x[actRefreshPreview-92] _ = x[actReplaceQuery-93] _ = x[actToggleSort-94] _ = x[actShowPreview-95] _ = x[actHidePreview-96] _ = x[actTogglePreview-97] _ = x[actTogglePreviewWrap-98] _ = x[actTransform-99] _ = x[actTransformBorderLabel-100] _ = x[actTransformGhost-101] _ = x[actTransformHeader-102] _ = x[actTransformFooter-103] _ = x[actTransformHeaderLabel-104] _ = x[actTransformFooterLabel-105] _ = x[actTransformInputLabel-106] _ = x[actTransformListLabel-107] _ = x[actTransformNth-108] _ = x[actTransformPointer-109] _ = x[actTransformPreviewLabel-110] _ = x[actTransformPrompt-111] _ = x[actTransformQuery-112] _ = x[actTransformSearch-113] _ = x[actTrigger-114] _ = x[actBgTransform-115] _ = x[actBgTransformBorderLabel-116] _ = x[actBgTransformGhost-117] _ = x[actBgTransformHeader-118] _ = x[actBgTransformFooter-119] _ = x[actBgTransformHeaderLabel-120] _ = x[actBgTransformFooterLabel-121] _ = x[actBgTransformInputLabel-122] _ = x[actBgTransformListLabel-123] _ = x[actBgTransformNth-124] _ = x[actBgTransformPointer-125] _ = x[actBgTransformPreviewLabel-126] _ = x[actBgTransformPrompt-127] _ = x[actBgTransformQuery-128] _ = x[actBgTransformSearch-129] _ = x[actBgCancel-130] _ = x[actSearch-131] _ = x[actPreview-132] _ = x[actPreviewTop-133] _ = x[actPreviewBottom-134] _ = x[actPreviewUp-135] _ = x[actPreviewDown-136] _ = x[actPreviewPageUp-137] _ = x[actPreviewPageDown-138] _ = x[actPreviewHalfPageUp-139] _ = x[actPreviewHalfPageDown-140] _ = x[actPrevHistory-141] _ = x[actPrevSelected-142] _ = x[actPrint-143] _ = x[actPut-144] _ = x[actNextHistory-145] _ = x[actNextSelected-146] _ = x[actExecute-147] _ = x[actExecuteSilent-148] _ = x[actExecuteMulti-149] _ = x[actSigStop-150] _ = x[actBest-151] _ = x[actFirst-152] _ = x[actLast-153] _ = x[actReload-154] _ = x[actReloadSync-155] _ = x[actDisableSearch-156] _ = x[actEnableSearch-157] _ = x[actSelect-158] _ = x[actDeselect-159] _ = x[actUnbind-160] _ = x[actRebind-161] _ = x[actToggleBind-162] _ = x[actBecome-163] _ = x[actShowHeader-164] _ = x[actHideHeader-165] _ = x[actBell-166] _ = x[actExclude-167] _ = x[actExcludeMulti-168] _ = x[actAsync-169] } const _actionType_name = "actIgnoreactStartactClickactInvalidactBracketedPasteBeginactBracketedPasteEndactCharactMouseactBeginningOfLineactAbortactAcceptactAcceptNonEmptyactAcceptOrPrintQueryactBackwardCharactBackwardDeleteCharactBackwardDeleteCharEofactBackwardWordactBackwardSubWordactCancelactChangeBorderLabelactChangeGhostactChangeHeaderactChangeFooteractChangeHeaderLabelactChangeFooterLabelactChangeInputLabelactChangeListLabelactChangeMultiactChangeNthactChangePointeractChangePreviewactChangePreviewLabelactChangePreviewWindowactChangePromptactChangeQueryactClearScreenactClearQueryactClearSelectionactCloseactDeleteCharactDeleteCharEofactEndOfLineactFatalactForwardCharactForwardWordactForwardSubWordactKillLineactKillWordactKillSubWordactUnixLineDiscardactUnixWordRuboutactYankactBackwardKillWordactBackwardKillSubWordactSelectAllactDeselectAllactToggleactToggleSearchactToggleAllactToggleDownactToggleUpactToggleInactToggleOutactToggleTrackactToggleTrackCurrentactToggleHeaderactToggleWrapactToggleMultiLineactToggleHscrollactToggleRawactEnableRawactDisableRawactTrackCurrentactToggleInputactHideInputactShowInputactUntrackCurrentactDownactDownMatchactUpactUpMatchactPageUpactPageDownactPositionactHalfPageUpactHalfPageDownactOffsetUpactOffsetDownactOffsetMiddleactJumpactJumpAcceptactPrintQueryactRefreshPreviewactReplaceQueryactToggleSortactShowPreviewactHidePreviewactTogglePreviewactTogglePreviewWrapactTransformactTransformBorderLabelactTransformGhostactTransformHeaderactTransformFooteractTransformHeaderLabelactTransformFooterLabelactTransformInputLabelactTransformListLabelactTransformNthactTransformPointeractTransformPreviewLabelactTransformPromptactTransformQueryactTransformSearchactTriggeractBgTransformactBgTransformBorderLabelactBgTransformGhostactBgTransformHeaderactBgTransformFooteractBgTransformHeaderLabelactBgTransformFooterLabelactBgTransformInputLabelactBgTransformListLabelactBgTransformNthactBgTransformPointeractBgTransformPreviewLabelactBgTransformPromptactBgTransformQueryactBgTransformSearchactBgCancelactSearchactPreviewactPreviewTopactPreviewBottomactPreviewUpactPreviewDownactPreviewPageUpactPreviewPageDownactPreviewHalfPageUpactPreviewHalfPageDownactPrevHistoryactPrevSelectedactPrintactPutactNextHistoryactNextSelectedactExecuteactExecuteSilentactExecuteMultiactSigStopactBestactFirstactLastactReloadactReloadSyncactDisableSearchactEnableSearchactSelectactDeselectactUnbindactRebindactToggleBindactBecomeactShowHeaderactHideHeaderactBellactExcludeactExcludeMultiactAsync" var _actionType_index = [...]uint16{0, 9, 17, 25, 35, 57, 77, 84, 92, 110, 118, 127, 144, 165, 180, 201, 225, 240, 258, 267, 287, 301, 316, 331, 351, 371, 390, 408, 422, 434, 450, 466, 487, 509, 524, 538, 552, 565, 582, 590, 603, 619, 631, 639, 653, 667, 684, 695, 706, 720, 738, 755, 762, 781, 803, 815, 829, 838, 853, 865, 878, 889, 900, 912, 926, 947, 962, 975, 993, 1009, 1021, 1033, 1046, 1061, 1075, 1087, 1099, 1116, 1123, 1135, 1140, 1150, 1159, 1170, 1181, 1194, 1209, 1220, 1233, 1248, 1255, 1268, 1281, 1298, 1313, 1326, 1340, 1354, 1370, 1390, 1402, 1425, 1442, 1460, 1478, 1501, 1524, 1546, 1567, 1582, 1601, 1625, 1643, 1660, 1678, 1688, 1702, 1727, 1746, 1766, 1786, 1811, 1836, 1860, 1883, 1900, 1921, 1947, 1967, 1986, 2006, 2017, 2026, 2036, 2049, 2065, 2077, 2091, 2107, 2125, 2145, 2167, 2181, 2196, 2204, 2210, 2224, 2239, 2249, 2265, 2280, 2290, 2297, 2305, 2312, 2321, 2334, 2350, 2365, 2374, 2385, 2394, 2403, 2416, 2425, 2438, 2451, 2458, 2468, 2483, 2491} func (i actionType) String() string { if i < 0 || i >= actionType(len(_actionType_index)-1) { return "actionType(" + strconv.FormatInt(int64(i), 10) + ")" } return _actionType_name[_actionType_index[i]:_actionType_index[i+1]] }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/constants.go
src/constants.go
package fzf import ( "math" "time" "github.com/junegunn/fzf/src/util" ) const ( // Core coordinatorDelayMax time.Duration = 100 * time.Millisecond coordinatorDelayStep time.Duration = 10 * time.Millisecond // Reader readerBufferSize = 64 * 1024 readerSlabSize = 128 * 1024 readerPollIntervalMin = 10 * time.Millisecond readerPollIntervalStep = 5 * time.Millisecond readerPollIntervalMax = 50 * time.Millisecond // Terminal initialDelay = 20 * time.Millisecond initialDelayTac = 100 * time.Millisecond spinnerDuration = 100 * time.Millisecond previewCancelWait = 500 * time.Millisecond previewChunkDelay = 100 * time.Millisecond previewDelayed = 500 * time.Millisecond maxPatternLength = 1000 maxMulti = math.MaxInt32 // Background processes maxBgProcesses = 30 maxBgProcessesPerAction = 3 // Matcher numPartitionsMultiplier = 8 maxPartitions = 32 progressMinDuration = 200 * time.Millisecond // Capacity of each chunk chunkSize int = 100 // Pre-allocated memory slices to minimize GC slab16Size int = 100 * 1024 // 200KB * 32 = 12.8MB slab32Size int = 2048 // 8KB * 32 = 256KB // Do not cache results of low selectivity queries queryCacheMax int = chunkSize / 5 // Not to cache mergers with large lists mergerCacheMax int = 100000 // History defaultHistoryMax int = 1000 // Jump labels defaultJumpLabels string = "asdfghjklqwertyuiopzxcvbnm1234567890ASDFGHJKLQWERTYUIOPZXCVBNM`~;:,<.>/?'\"!@#$%^&*()[{]}-_=+" ) // fzf events const ( EvtReadNew util.EventType = iota EvtReadFin EvtSearchNew EvtSearchProgress EvtSearchFin EvtHeader EvtReady EvtQuit ) const ( ExitOk = 0 ExitNoMatch = 1 ExitError = 2 ExitBecome = 126 ExitInterrupt = 130 )
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/chunklist.go
src/chunklist.go
package fzf import "sync" // Chunk is a list of Items whose size has the upper limit of chunkSize type Chunk struct { items [chunkSize]Item count int } // ItemBuilder is a closure type that builds Item object from byte array type ItemBuilder func(*Item, []byte) bool // ChunkList is a list of Chunks type ChunkList struct { chunks []*Chunk mutex sync.Mutex trans ItemBuilder cache *ChunkCache } // NewChunkList returns a new ChunkList func NewChunkList(cache *ChunkCache, trans ItemBuilder) *ChunkList { return &ChunkList{ chunks: []*Chunk{}, mutex: sync.Mutex{}, trans: trans, cache: cache} } func (c *Chunk) push(trans ItemBuilder, data []byte) bool { if trans(&c.items[c.count], data) { c.count++ return true } return false } // IsFull returns true if the Chunk is full func (c *Chunk) IsFull() bool { return c.count == chunkSize } func (c *Chunk) lastIndex(minValue int32) int32 { if c.count == 0 { return minValue } return c.items[c.count-1].Index() + 1 // Exclusive } func (cl *ChunkList) lastChunk() *Chunk { return cl.chunks[len(cl.chunks)-1] } // CountItems returns the total number of Items func CountItems(cs []*Chunk) int { if len(cs) == 0 { return 0 } if len(cs) == 1 { return cs[0].count } // First chunk might not be full due to --tail=N return cs[0].count + chunkSize*(len(cs)-2) + cs[len(cs)-1].count } // Push adds the item to the list func (cl *ChunkList) Push(data []byte) bool { cl.mutex.Lock() if len(cl.chunks) == 0 || cl.lastChunk().IsFull() { cl.chunks = append(cl.chunks, &Chunk{}) } ret := cl.lastChunk().push(cl.trans, data) cl.mutex.Unlock() return ret } // Clear clears the data func (cl *ChunkList) Clear() { cl.mutex.Lock() cl.chunks = nil cl.mutex.Unlock() } // Snapshot returns immutable snapshot of the ChunkList func (cl *ChunkList) Snapshot(tail int) ([]*Chunk, int, bool) { cl.mutex.Lock() changed := false if tail > 0 && CountItems(cl.chunks) > tail { changed = true // Find the number of chunks to keep numChunks := 0 for left, i := tail, len(cl.chunks)-1; left > 0 && i >= 0; i-- { numChunks++ left -= cl.chunks[i].count } // Copy the chunks to keep ret := make([]*Chunk, numChunks) minIndex := len(cl.chunks) - numChunks cl.cache.retire(cl.chunks[:minIndex]...) copy(ret, cl.chunks[minIndex:]) for left, i := tail, len(ret)-1; i >= 0; i-- { chunk := ret[i] if chunk.count > left { newChunk := *chunk newChunk.count = left oldCount := chunk.count for i := 0; i < left; i++ { newChunk.items[i] = chunk.items[oldCount-left+i] } ret[i] = &newChunk cl.cache.retire(chunk) break } left -= chunk.count } cl.chunks = ret } ret := make([]*Chunk, len(cl.chunks)) copy(ret, cl.chunks) // Duplicate the first and the last chunk if cnt := len(ret); cnt > 0 { if tail > 0 && cnt > 1 { newChunk := *ret[0] ret[0] = &newChunk } newChunk := *ret[cnt-1] ret[cnt-1] = &newChunk } cl.mutex.Unlock() return ret, CountItems(ret), changed }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/tokenizer.go
src/tokenizer.go
package fzf import ( "bytes" "fmt" "regexp" "strconv" "strings" "unicode" "github.com/junegunn/fzf/src/util" ) const rangeEllipsis = 0 // Range represents nth-expression type Range struct { begin int end int } func (r Range) IsFull() bool { return r.begin == rangeEllipsis && r.end == rangeEllipsis } func compareRanges(r1 []Range, r2 []Range) bool { if len(r1) != len(r2) { return false } for idx := range r1 { if r1[idx] != r2[idx] { return false } } return true } func RangesToString(ranges []Range) string { strs := []string{} for _, r := range ranges { s := "" if r.begin == rangeEllipsis && r.end == rangeEllipsis { s = ".." } else if r.begin == r.end { s = strconv.Itoa(r.begin) } else { if r.begin != rangeEllipsis { s += strconv.Itoa(r.begin) } if r.begin != -1 { s += ".." if r.end != rangeEllipsis { s += strconv.Itoa(r.end) } } } strs = append(strs, s) } return strings.Join(strs, ",") } // Token contains the tokenized part of the strings and its prefix length type Token struct { text *util.Chars prefixLength int32 } // String returns the string representation of a Token. func (t Token) String() string { return fmt.Sprintf("Token{text: %s, prefixLength: %d}", t.text, t.prefixLength) } // Delimiter for tokenizing the input type Delimiter struct { regex *regexp.Regexp str *string } // IsAwk returns true if the delimiter is an AWK-style delimiter func (d Delimiter) IsAwk() bool { return d.regex == nil && d.str == nil } // String returns the string representation of a Delimiter. func (d Delimiter) String() string { return fmt.Sprintf("Delimiter{regex: %v, str: &%q}", d.regex, *d.str) } func newRange(begin int, end int) Range { if begin == 1 && end != 1 { begin = rangeEllipsis } if end == -1 { end = rangeEllipsis } return Range{begin, end} } // ParseRange parses nth-expression and returns the corresponding Range object func ParseRange(str *string) (Range, bool) { if (*str) == ".." { return newRange(rangeEllipsis, rangeEllipsis), true } else if strings.HasPrefix(*str, "..") { end, err := strconv.Atoi((*str)[2:]) if err != nil || end == 0 { return Range{}, false } return newRange(rangeEllipsis, end), true } else if strings.HasSuffix(*str, "..") { begin, err := strconv.Atoi((*str)[:len(*str)-2]) if err != nil || begin == 0 { return Range{}, false } return newRange(begin, rangeEllipsis), true } else if strings.Contains(*str, "..") { ns := strings.Split(*str, "..") if len(ns) != 2 { return Range{}, false } begin, err1 := strconv.Atoi(ns[0]) end, err2 := strconv.Atoi(ns[1]) if err1 != nil || err2 != nil || begin == 0 || end == 0 || begin < 0 && end > 0 { return Range{}, false } return newRange(begin, end), true } n, err := strconv.Atoi(*str) if err != nil || n == 0 { return Range{}, false } return newRange(n, n), true } func withPrefixLengths(tokens []string, begin int) []Token { ret := make([]Token, len(tokens)) prefixLength := begin for idx := range tokens { chars := util.ToChars(stringBytes(tokens[idx])) ret[idx] = Token{&chars, int32(prefixLength)} prefixLength += chars.Length() } return ret } const ( awkNil = iota awkBlack awkWhite ) func awkTokenizer(input string) ([]string, int) { // 9, 32 ret := []string{} prefixLength := 0 state := awkNil begin := 0 end := 0 for idx := 0; idx < len(input); idx++ { r := input[idx] white := r == 9 || r == 32 switch state { case awkNil: if white { prefixLength++ } else { state, begin, end = awkBlack, idx, idx+1 } case awkBlack: end = idx + 1 if white { state = awkWhite } case awkWhite: if white { end = idx + 1 } else { ret = append(ret, input[begin:end]) state, begin, end = awkBlack, idx, idx+1 } } } if begin < end { ret = append(ret, input[begin:end]) } return ret, prefixLength } // Tokenize tokenizes the given string with the delimiter func Tokenize(text string, delimiter Delimiter) []Token { if delimiter.str == nil && delimiter.regex == nil { // AWK-style (\S+\s*) tokens, prefixLength := awkTokenizer(text) return withPrefixLengths(tokens, prefixLength) } if delimiter.str != nil { return withPrefixLengths(strings.SplitAfter(text, *delimiter.str), 0) } // FIXME performance var tokens []string if delimiter.regex != nil { locs := delimiter.regex.FindAllStringIndex(text, -1) begin := 0 tokens = make([]string, len(locs)) for i, loc := range locs { tokens[i] = text[begin:loc[1]] begin = loc[1] } if begin < len(text) { tokens = append(tokens, text[begin:]) } } return withPrefixLengths(tokens, 0) } // StripLastDelimiter removes the trailing delimiter and whitespaces func StripLastDelimiter(str string, delimiter Delimiter) string { if delimiter.str != nil { str = strings.TrimSuffix(str, *delimiter.str) } else if delimiter.regex != nil { locs := delimiter.regex.FindAllStringIndex(str, -1) if len(locs) > 0 { lastLoc := locs[len(locs)-1] if lastLoc[1] == len(str) { str = str[:lastLoc[0]] } } } return strings.TrimRightFunc(str, unicode.IsSpace) } func GetLastDelimiter(str string, delimiter Delimiter) string { if delimiter.str != nil { if strings.HasSuffix(str, *delimiter.str) { return *delimiter.str } } else if delimiter.regex != nil { locs := delimiter.regex.FindAllStringIndex(str, -1) if len(locs) > 0 { lastLoc := locs[len(locs)-1] if lastLoc[1] == len(str) { return str[lastLoc[0]:] } } } return "" } // JoinTokens concatenates the tokens into a single string func JoinTokens(tokens []Token) string { var output bytes.Buffer for _, token := range tokens { output.WriteString(token.text.ToString()) } return output.String() } // Transform is used to transform the input when --with-nth option is given func Transform(tokens []Token, withNth []Range) []Token { transTokens := make([]Token, len(withNth)) numTokens := len(tokens) for idx, r := range withNth { parts := []*util.Chars{} minIdx := 0 if r.begin == r.end { idx := r.begin if idx == rangeEllipsis { chars := util.ToChars(stringBytes(JoinTokens(tokens))) parts = append(parts, &chars) } else { if idx < 0 { idx += numTokens + 1 } if idx >= 1 && idx <= numTokens { minIdx = idx - 1 parts = append(parts, tokens[idx-1].text) } } } else { var begin, end int if r.begin == rangeEllipsis { // ..N begin, end = 1, r.end if end < 0 { end += numTokens + 1 } } else if r.end == rangeEllipsis { // N.. begin, end = r.begin, numTokens if begin < 0 { begin += numTokens + 1 } } else { begin, end = r.begin, r.end if begin < 0 { begin += numTokens + 1 } if end < 0 { end += numTokens + 1 } } minIdx = max(0, begin-1) for idx := begin; idx <= end; idx++ { if idx >= 1 && idx <= numTokens { parts = append(parts, tokens[idx-1].text) } } } // Merge multiple parts var merged util.Chars switch len(parts) { case 0: merged = util.ToChars([]byte{}) case 1: merged = *parts[0] default: var output bytes.Buffer for _, part := range parts { output.WriteString(part.ToString()) } merged = util.ToChars(output.Bytes()) } var prefixLength int32 if minIdx < numTokens { prefixLength = tokens[minIdx].prefixLength } else { prefixLength = 0 } transTokens[idx] = Token{&merged, prefixLength} } return transTokens }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/item_test.go
src/item_test.go
package fzf import ( "testing" "github.com/junegunn/fzf/src/util" ) func TestStringPtr(t *testing.T) { orig := []byte("\x1b[34mfoo") text := []byte("\x1b[34mbar") item := Item{origText: &orig, text: util.ToChars(text)} if item.AsString(true) != "foo" || item.AsString(false) != string(orig) { t.Fail() } if item.AsString(true) != "foo" { t.Fail() } item.origText = nil if item.AsString(true) != string(text) || item.AsString(false) != string(text) { t.Fail() } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/result.go
src/result.go
package fzf import ( "math" "sort" "unicode" "github.com/junegunn/fzf/src/tui" "github.com/junegunn/fzf/src/util" ) // Offset holds two 32-bit integers denoting the offsets of a matched substring type Offset [2]int32 type colorOffset struct { offset [2]int32 color tui.ColorPair match bool url *url } func (co colorOffset) IsFullBgMarker(at int32) bool { return at == co.offset[0] && at == co.offset[1] && co.color.Attr()&tui.FullBg > 0 } type Result struct { item *Item points [4]uint16 } func buildResult(item *Item, offsets []Offset, score int) Result { if len(offsets) > 1 { sort.Sort(ByOrder(offsets)) } result := Result{item: item} numChars := item.text.Length() minBegin := math.MaxUint16 minEnd := math.MaxUint16 maxEnd := 0 validOffsetFound := false for _, offset := range offsets { b, e := int(offset[0]), int(offset[1]) if b < e { minBegin = min(b, minBegin) minEnd = min(e, minEnd) maxEnd = max(e, maxEnd) validOffsetFound = true } } for idx, criterion := range sortCriteria { val := uint16(math.MaxUint16) switch criterion { case byScore: // Higher is better val = math.MaxUint16 - util.AsUint16(score) case byChunk: if validOffsetFound { b := minBegin e := maxEnd for ; b >= 1; b-- { if unicode.IsSpace(item.text.Get(b - 1)) { break } } for ; e < numChars; e++ { if unicode.IsSpace(item.text.Get(e)) { break } } val = util.AsUint16(e - b) } case byLength: val = item.TrimLength() case byPathname: if validOffsetFound { // lastDelim := strings.LastIndexByte(item.text.ToString(), '/') lastDelim := -1 s := item.text.ToString() for i := len(s) - 1; i >= 0; i-- { if s[i] == '/' || s[i] == '\\' { lastDelim = i break } } if lastDelim <= minBegin { val = util.AsUint16(minBegin - lastDelim) } } case byBegin, byEnd: if validOffsetFound { whitePrefixLen := 0 for idx := range numChars { r := item.text.Get(idx) whitePrefixLen = idx if idx == minBegin || !unicode.IsSpace(r) { break } } if criterion == byBegin { val = util.AsUint16(minEnd - whitePrefixLen) } else { val = util.AsUint16(math.MaxUint16 - math.MaxUint16*(maxEnd-whitePrefixLen)/(int(item.TrimLength())+1)) } } } result.points[3-idx] = val } return result } // Sort criteria to use. Never changes once fzf is started. var sortCriteria []criterion // Index returns ordinal index of the Item func (result *Result) Index() int32 { return result.item.Index() } func minRank() Result { return Result{item: &minItem, points: [4]uint16{math.MaxUint16, 0, 0, 0}} } func (result *Result) colorOffsets(matchOffsets []Offset, nthOffsets []Offset, theme *tui.ColorTheme, colBase tui.ColorPair, colMatch tui.ColorPair, attrNth tui.Attr, hidden bool) []colorOffset { itemColors := result.item.Colors() // No ANSI codes if len(itemColors) == 0 && len(nthOffsets) == 0 { offsets := make([]colorOffset, len(matchOffsets)) for i, off := range matchOffsets { offsets[i] = colorOffset{offset: [2]int32{off[0], off[1]}, color: colMatch, match: true} } return offsets } // Find max column var maxCol int32 for _, off := range append(matchOffsets, nthOffsets...) { if off[1] > maxCol { maxCol = off[1] } } for _, ansi := range itemColors { if ansi.offset[1] > maxCol { maxCol = ansi.offset[1] } } type cellInfo struct { index int color bool match bool nth bool fbg tui.Color } cols := make([]cellInfo, maxCol+1) for idx := range cols { cols[idx].fbg = -1 } for colorIndex, ansi := range itemColors { if ansi.offset[0] == ansi.offset[1] && ansi.color.attr&tui.FullBg > 0 { cols[ansi.offset[0]].fbg = ansi.color.lbg } else { for i := ansi.offset[0]; i < ansi.offset[1]; i++ { cols[i] = cellInfo{colorIndex, true, false, false, cols[i].fbg} } } } for _, off := range matchOffsets { for i := off[0]; i < off[1]; i++ { cols[i].match = true } } for _, off := range nthOffsets { for i := off[0]; i < off[1]; i++ { cols[i].nth = true } } // sort.Sort(ByOrder(offsets)) // Merge offsets // ------------ ---- -- ---- // ++++++++ ++++++++++ // --++++++++-- --++++++++++--- curr := cellInfo{0, false, false, false, -1} start := 0 ansiToColorPair := func(ansi ansiOffset, base tui.ColorPair) tui.ColorPair { if !theme.Colored { return tui.NewColorPair(-1, -1, ansi.color.attr).MergeAttr(base) } // fd --color always | fzf --ansi --delimiter / --nth -1 --color fg:dim:strip,nth:regular if base.ShouldStripColors() { return base } fg := ansi.color.fg bg := ansi.color.bg if fg == -1 { fg = colBase.Fg() } if bg == -1 { bg = colBase.Bg() } return tui.NewColorPair(fg, bg, ansi.color.attr).MergeAttr(base) } var colors []colorOffset add := func(idx int) { if curr.fbg >= 0 { colors = append(colors, colorOffset{ offset: [2]int32{int32(start), int32(start)}, color: tui.NewColorPair(-1, curr.fbg, tui.FullBg), match: false, url: nil}) } if (curr.color || curr.nth || curr.match) && idx > start { if curr.match { var color tui.ColorPair if curr.nth { color = colBase.WithAttr(attrNth).Merge(colMatch) } else { color = colBase.Merge(colMatch) } var url *url if curr.color { ansi := itemColors[curr.index] url = ansi.color.url origColor := ansiToColorPair(ansi, colMatch) // hl or hl+ only sets the foreground color, so colMatch is the // combination of either [hl and bg] or [hl+ and bg+]. // // If the original text already has background color, and the // foreground color of colMatch is -1, we shouldn't only apply the // background color of colMatch. // e.g. echo -e "\x1b[32;7mfoo\x1b[mbar" | fzf --ansi --color bg+:1,hl+:-1:underline // echo -e "\x1b[42mfoo\x1b[mbar" | fzf --ansi --color bg+:1,hl+:-1:underline if color.Fg().IsDefault() && origColor.HasBg() { color = origColor if curr.nth { color = color.WithAttr(attrNth &^ tui.AttrRegular) } } else { color = origColor.MergeNonDefault(color) } } colors = append(colors, colorOffset{ offset: [2]int32{int32(start), int32(idx)}, color: color, match: true, url: url}) } else if curr.color { ansi := itemColors[curr.index] base := colBase if curr.nth { base = base.WithAttr(attrNth) } if hidden { base = base.WithFg(theme.Nomatch) } color := ansiToColorPair(ansi, base) colors = append(colors, colorOffset{ offset: [2]int32{int32(start), int32(idx)}, color: color, match: false, url: ansi.color.url}) } else { color := colBase.WithAttr(attrNth) if hidden { color = color.WithFg(theme.Nomatch) } colors = append(colors, colorOffset{ offset: [2]int32{int32(start), int32(idx)}, color: color, match: false, url: nil}) } } } for idx, col := range cols { if col != curr { add(idx) start = idx curr = col } } add(int(maxCol)) return colors } // ByOrder is for sorting substring offsets type ByOrder []Offset func (a ByOrder) Len() int { return len(a) } func (a ByOrder) Swap(i, j int) { a[i], a[j] = a[j], a[i] } func (a ByOrder) Less(i, j int) bool { ioff := a[i] joff := a[j] return (ioff[0] < joff[0]) || (ioff[0] == joff[0]) && (ioff[1] <= joff[1]) } // ByRelevance is for sorting Items type ByRelevance []Result func (a ByRelevance) Len() int { return len(a) } func (a ByRelevance) Swap(i, j int) { a[i], a[j] = a[j], a[i] } func (a ByRelevance) Less(i, j int) bool { return compareRanks(a[i], a[j], false) } // ByRelevanceTac is for sorting Items type ByRelevanceTac []Result func (a ByRelevanceTac) Len() int { return len(a) } func (a ByRelevanceTac) Swap(i, j int) { a[i], a[j] = a[j], a[i] } func (a ByRelevanceTac) Less(i, j int) bool { return compareRanks(a[i], a[j], true) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/cache.go
src/cache.go
package fzf import "sync" // queryCache associates strings to lists of items type queryCache map[string][]Result // ChunkCache associates Chunk and query string to lists of items type ChunkCache struct { mutex sync.Mutex cache map[*Chunk]*queryCache } // NewChunkCache returns a new ChunkCache func NewChunkCache() *ChunkCache { return &ChunkCache{sync.Mutex{}, make(map[*Chunk]*queryCache)} } func (cc *ChunkCache) Clear() { cc.mutex.Lock() cc.cache = make(map[*Chunk]*queryCache) cc.mutex.Unlock() } func (cc *ChunkCache) retire(chunk ...*Chunk) { cc.mutex.Lock() for _, c := range chunk { delete(cc.cache, c) } cc.mutex.Unlock() } // Add adds the list to the cache func (cc *ChunkCache) Add(chunk *Chunk, key string, list []Result) { if len(key) == 0 || !chunk.IsFull() || len(list) > queryCacheMax { return } cc.mutex.Lock() defer cc.mutex.Unlock() qc, ok := cc.cache[chunk] if !ok { cc.cache[chunk] = &queryCache{} qc = cc.cache[chunk] } (*qc)[key] = list } // Lookup is called to lookup ChunkCache func (cc *ChunkCache) Lookup(chunk *Chunk, key string) []Result { if len(key) == 0 || !chunk.IsFull() { return nil } cc.mutex.Lock() defer cc.mutex.Unlock() qc, ok := cc.cache[chunk] if ok { list, ok := (*qc)[key] if ok { return list } } return nil } func (cc *ChunkCache) Search(chunk *Chunk, key string) []Result { if len(key) == 0 || !chunk.IsFull() { return nil } cc.mutex.Lock() defer cc.mutex.Unlock() qc, ok := cc.cache[chunk] if !ok { return nil } for idx := 1; idx < len(key); idx++ { // [---------| ] | [ |---------] // [--------| ] | [ |--------] // [-------| ] | [ |-------] prefix := key[:len(key)-idx] suffix := key[idx:] for _, substr := range [2]string{prefix, suffix} { if cached, found := (*qc)[substr]; found { return cached } } } return nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/cache_test.go
src/cache_test.go
package fzf import "testing" func TestChunkCache(t *testing.T) { cache := NewChunkCache() chunk1p := &Chunk{} chunk2p := &Chunk{count: chunkSize} items1 := []Result{{}} items2 := []Result{{}, {}} cache.Add(chunk1p, "foo", items1) cache.Add(chunk2p, "foo", items1) cache.Add(chunk2p, "bar", items2) { // chunk1 is not full cached := cache.Lookup(chunk1p, "foo") if cached != nil { t.Error("Cached disabled for non-empty chunks", cached) } } { cached := cache.Lookup(chunk2p, "foo") if cached == nil || len(cached) != 1 { t.Error("Expected 1 item cached", cached) } } { cached := cache.Lookup(chunk2p, "bar") if cached == nil || len(cached) != 2 { t.Error("Expected 2 items cached", cached) } } { cached := cache.Lookup(chunk1p, "foobar") if cached != nil { t.Error("Expected 0 item cached", cached) } } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/result_test.go
src/result_test.go
package fzf import ( "math" "sort" "testing" "github.com/junegunn/fzf/src/tui" "github.com/junegunn/fzf/src/util" ) func withIndex(i *Item, index int) *Item { (*i).text.Index = int32(index) return i } func TestOffsetSort(t *testing.T) { offsets := []Offset{ {3, 5}, {2, 7}, {1, 3}, {2, 9}} sort.Sort(ByOrder(offsets)) if offsets[0][0] != 1 || offsets[0][1] != 3 || offsets[1][0] != 2 || offsets[1][1] != 7 || offsets[2][0] != 2 || offsets[2][1] != 9 || offsets[3][0] != 3 || offsets[3][1] != 5 { t.Error("Invalid order:", offsets) } } func TestRankComparison(t *testing.T) { rank := func(vals ...uint16) Result { return Result{ points: [4]uint16{vals[0], vals[1], vals[2], vals[3]}, item: &Item{text: util.Chars{Index: int32(vals[4])}}} } if compareRanks(rank(3, 0, 0, 0, 5), rank(2, 0, 0, 0, 7), false) || !compareRanks(rank(3, 0, 0, 0, 5), rank(3, 0, 0, 0, 6), false) || !compareRanks(rank(1, 2, 0, 0, 3), rank(1, 3, 0, 0, 2), false) || !compareRanks(rank(0, 0, 0, 0, 0), rank(0, 0, 0, 0, 0), false) { t.Error("Invalid order") } if compareRanks(rank(3, 0, 0, 0, 5), rank(2, 0, 0, 0, 7), true) || !compareRanks(rank(3, 0, 0, 0, 5), rank(3, 0, 0, 0, 6), false) || !compareRanks(rank(1, 2, 0, 0, 3), rank(1, 3, 0, 0, 2), true) || !compareRanks(rank(0, 0, 0, 0, 0), rank(0, 0, 0, 0, 0), false) { t.Error("Invalid order (tac)") } } // Match length, string length, index func TestResultRank(t *testing.T) { // FIXME global sortCriteria = []criterion{byScore, byLength} str := []rune("foo") item1 := buildResult( withIndex(&Item{text: util.RunesToChars(str)}, 1), []Offset{}, 2) if item1.points[3] != math.MaxUint16-2 || // Bonus item1.points[2] != 3 || // Length item1.points[1] != 0 || // Unused item1.points[0] != 0 || // Unused item1.item.Index() != 1 { t.Error(item1) } // Only differ in index item2 := buildResult(&Item{text: util.RunesToChars(str)}, []Offset{}, 2) items := []Result{item1, item2} sort.Sort(ByRelevance(items)) if items[0] != item2 || items[1] != item1 { t.Error(items) } items = []Result{item2, item1, item1, item2} sort.Sort(ByRelevance(items)) if items[0] != item2 || items[1] != item2 || items[2] != item1 || items[3] != item1 { t.Error(items, item1, item1.item.Index(), item2, item2.item.Index()) } // Sort by relevance item3 := buildResult( withIndex(&Item{}, 2), []Offset{{1, 3}, {5, 7}}, 3) item4 := buildResult( withIndex(&Item{}, 2), []Offset{{1, 2}, {6, 7}}, 4) item5 := buildResult( withIndex(&Item{}, 2), []Offset{{1, 3}, {5, 7}}, 5) item6 := buildResult( withIndex(&Item{}, 2), []Offset{{1, 2}, {6, 7}}, 6) items = []Result{item1, item2, item3, item4, item5, item6} sort.Sort(ByRelevance(items)) if !(items[0] == item6 && items[1] == item5 && items[2] == item4 && items[3] == item3 && items[4] == item2 && items[5] == item1) { t.Error(items, item1, item2, item3, item4, item5, item6) } } func TestChunkTiebreak(t *testing.T) { // FIXME global sortCriteria = []criterion{byScore, byChunk} score := 100 test := func(input string, offset Offset, chunk string) { item := buildResult(withIndex(&Item{text: util.RunesToChars([]rune(input))}, 1), []Offset{offset}, score) if !(item.points[3] == math.MaxUint16-uint16(score) && item.points[2] == uint16(len(chunk))) { t.Error(item.points) } } test("hello foobar goodbye", Offset{8, 9}, "foobar") test("hello foobar goodbye", Offset{7, 18}, "foobar goodbye") test("hello foobar goodbye", Offset{0, 1}, "hello") test("hello foobar goodbye", Offset{5, 7}, "hello foobar") // TBD } func TestColorOffset(t *testing.T) { // ------------ 20 ---- -- ---- // ++++++++ ++++++++++ // --++++++++-- --++++++++++--- offsets := []Offset{{5, 15}, {10, 12}, {25, 35}} item := Result{ item: &Item{ colors: &[]ansiOffset{ {[2]int32{0, 20}, ansiState{1, 5, 0, -1, nil}}, {[2]int32{22, 27}, ansiState{2, 6, tui.Bold, -1, nil}}, {[2]int32{30, 32}, ansiState{3, 7, 0, -1, nil}}, {[2]int32{33, 40}, ansiState{4, 8, tui.Bold, -1, nil}}}}} colBase := tui.NewColorPair(89, 189, tui.AttrUndefined) colMatch := tui.NewColorPair(99, 199, tui.AttrUndefined) colors := item.colorOffsets(offsets, nil, tui.Dark256, colBase, colMatch, tui.AttrUndefined, false) assert := func(idx int, b int32, e int32, c tui.ColorPair) { o := colors[idx] if o.offset[0] != b || o.offset[1] != e || o.color != c { t.Error(o, b, e, c) } } // [{[0 5] {1 5 0}} {[5 15] {99 199 0}} {[15 20] {1 5 0}} // {[22 25] {2 6 1}} {[25 27] {99 199 1}} {[27 30] {99 199 0}} // {[30 32] {99 199 0}} {[32 33] {99 199 0}} {[33 35] {99 199 1}} // {[35 40] {4 8 1}}] assert(0, 0, 5, tui.NewColorPair(1, 5, tui.AttrUndefined)) assert(1, 5, 15, colMatch) assert(2, 15, 20, tui.NewColorPair(1, 5, tui.AttrUndefined)) assert(3, 22, 25, tui.NewColorPair(2, 6, tui.Bold)) assert(4, 25, 27, colMatch.WithAttr(tui.Bold)) assert(5, 27, 30, colMatch) assert(6, 30, 32, colMatch) assert(7, 32, 33, colMatch) // TODO: Should we merge consecutive blocks? assert(8, 33, 35, colMatch.WithAttr(tui.Bold)) assert(9, 35, 40, tui.NewColorPair(4, 8, tui.Bold)) colRegular := tui.NewColorPair(-1, -1, tui.AttrUndefined) colUnderline := tui.NewColorPair(-1, -1, tui.Underline) nthOffsets := []Offset{{37, 39}, {42, 45}} for _, attr := range []tui.Attr{tui.AttrRegular, tui.StrikeThrough} { colors = item.colorOffsets(offsets, nthOffsets, tui.Dark256, colRegular, colUnderline, attr, false) // [{[0 5] {1 5 0}} {[5 15] {1 5 8}} {[15 20] {1 5 0}} // {[22 25] {2 6 1}} {[25 27] {2 6 9}} {[27 30] {-1 -1 8}} // {[30 32] {3 7 8}} {[32 33] {-1 -1 8}} {[33 35] {4 8 9}} // {[35 37] {4 8 1}} {[37 39] {4 8 x|1}} {[39 40] {4 8 x|1}}] assert(0, 0, 5, tui.NewColorPair(1, 5, tui.AttrUndefined)) assert(1, 5, 15, tui.NewColorPair(1, 5, tui.Underline)) assert(2, 15, 20, tui.NewColorPair(1, 5, tui.AttrUndefined)) assert(3, 22, 25, tui.NewColorPair(2, 6, tui.Bold)) assert(4, 25, 27, tui.NewColorPair(2, 6, tui.Bold|tui.Underline)) assert(5, 27, 30, colUnderline) assert(6, 30, 32, tui.NewColorPair(3, 7, tui.Underline)) assert(7, 32, 33, colUnderline) assert(8, 33, 35, tui.NewColorPair(4, 8, tui.Bold|tui.Underline)) assert(9, 35, 37, tui.NewColorPair(4, 8, tui.Bold)) expected := tui.Bold | attr if attr == tui.AttrRegular { expected = tui.Bold } assert(10, 37, 39, tui.NewColorPair(4, 8, expected)) assert(11, 39, 40, tui.NewColorPair(4, 8, tui.Bold)) } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/pattern.go
src/pattern.go
package fzf import ( "fmt" "regexp" "strings" "github.com/junegunn/fzf/src/algo" "github.com/junegunn/fzf/src/util" ) // fuzzy // 'exact // ^prefix-exact // suffix-exact$ // !inverse-exact // !'inverse-fuzzy // !^inverse-prefix-exact // !inverse-suffix-exact$ type termType int const ( termFuzzy termType = iota termExact termExactBoundary termPrefix termSuffix termEqual ) type term struct { typ termType inv bool text []rune caseSensitive bool normalize bool } // String returns the string representation of a term. func (t term) String() string { return fmt.Sprintf("term{typ: %d, inv: %v, text: []rune(%q), caseSensitive: %v}", t.typ, t.inv, string(t.text), t.caseSensitive) } type termSet []term // Pattern represents search pattern type Pattern struct { fuzzy bool fuzzyAlgo algo.Algo extended bool caseSensitive bool normalize bool forward bool withPos bool text []rune termSets []termSet sortable bool cacheable bool cacheKey string delimiter Delimiter nth []Range revision revision procFun map[termType]algo.Algo cache *ChunkCache denylist map[int32]struct{} } var _splitRegex *regexp.Regexp func init() { _splitRegex = regexp.MustCompile(" +") } // BuildPattern builds Pattern object from the given arguments func BuildPattern(cache *ChunkCache, patternCache map[string]*Pattern, fuzzy bool, fuzzyAlgo algo.Algo, extended bool, caseMode Case, normalize bool, forward bool, withPos bool, cacheable bool, nth []Range, delimiter Delimiter, revision revision, runes []rune, denylist map[int32]struct{}) *Pattern { var asString string if extended { asString = strings.TrimLeft(string(runes), " ") for strings.HasSuffix(asString, " ") && !strings.HasSuffix(asString, "\\ ") { asString = asString[:len(asString)-1] } } else { asString = string(runes) } // We can uniquely identify the pattern for a given string since // search mode and caseMode do not change while the program is running cached, found := patternCache[asString] if found { return cached } caseSensitive := true sortable := true termSets := []termSet{} if extended { termSets = parseTerms(fuzzy, caseMode, normalize, asString) // We should not sort the result if there are only inverse search terms sortable = false Loop: for _, termSet := range termSets { for idx, term := range termSet { if !term.inv { sortable = true } // If the query contains inverse search terms or OR operators, // we cannot cache the search scope if !cacheable || idx > 0 || term.inv || fuzzy && term.typ != termFuzzy || !fuzzy && term.typ != termExact { cacheable = false if sortable { // Can't break until we see at least one non-inverse term break Loop } } } } } else { lowerString := strings.ToLower(asString) normalize = normalize && lowerString == string(algo.NormalizeRunes([]rune(lowerString))) caseSensitive = caseMode == CaseRespect || caseMode == CaseSmart && lowerString != asString if !caseSensitive { asString = lowerString } } ptr := &Pattern{ fuzzy: fuzzy, fuzzyAlgo: fuzzyAlgo, extended: extended, caseSensitive: caseSensitive, normalize: normalize, forward: forward, withPos: withPos, text: []rune(asString), termSets: termSets, sortable: sortable, cacheable: cacheable, nth: nth, revision: revision, delimiter: delimiter, cache: cache, denylist: denylist, procFun: make(map[termType]algo.Algo)} ptr.cacheKey = ptr.buildCacheKey() ptr.procFun[termFuzzy] = fuzzyAlgo ptr.procFun[termEqual] = algo.EqualMatch ptr.procFun[termExact] = algo.ExactMatchNaive ptr.procFun[termExactBoundary] = algo.ExactMatchBoundary ptr.procFun[termPrefix] = algo.PrefixMatch ptr.procFun[termSuffix] = algo.SuffixMatch patternCache[asString] = ptr return ptr } func parseTerms(fuzzy bool, caseMode Case, normalize bool, str string) []termSet { str = strings.ReplaceAll(str, "\\ ", "\t") tokens := _splitRegex.Split(str, -1) sets := []termSet{} set := termSet{} switchSet := false afterBar := false for _, token := range tokens { typ, inv, text := termFuzzy, false, strings.ReplaceAll(token, "\t", " ") lowerText := strings.ToLower(text) caseSensitive := caseMode == CaseRespect || caseMode == CaseSmart && text != lowerText normalizeTerm := normalize && lowerText == string(algo.NormalizeRunes([]rune(lowerText))) if !caseSensitive { text = lowerText } if !fuzzy { typ = termExact } if len(set) > 0 && !afterBar && text == "|" { switchSet = false afterBar = true continue } afterBar = false if strings.HasPrefix(text, "!") { inv = true typ = termExact text = text[1:] } if text != "$" && strings.HasSuffix(text, "$") { typ = termSuffix text = text[:len(text)-1] } if len(text) > 2 && strings.HasPrefix(text, "'") && strings.HasSuffix(text, "'") { typ = termExactBoundary text = text[1 : len(text)-1] } else if strings.HasPrefix(text, "'") { // Flip exactness if fuzzy && !inv { typ = termExact } else { typ = termFuzzy } text = text[1:] } else if strings.HasPrefix(text, "^") { if typ == termSuffix { typ = termEqual } else { typ = termPrefix } text = text[1:] } if len(text) > 0 { if switchSet { sets = append(sets, set) set = termSet{} } textRunes := []rune(text) if normalizeTerm { textRunes = algo.NormalizeRunes(textRunes) } set = append(set, term{ typ: typ, inv: inv, text: textRunes, caseSensitive: caseSensitive, normalize: normalizeTerm}) switchSet = true } } if len(set) > 0 { sets = append(sets, set) } return sets } // IsEmpty returns true if the pattern is effectively empty func (p *Pattern) IsEmpty() bool { if len(p.denylist) > 0 { return false } if !p.extended { return len(p.text) == 0 } return len(p.termSets) == 0 } // AsString returns the search query in string type func (p *Pattern) AsString() string { return string(p.text) } func (p *Pattern) buildCacheKey() string { if !p.extended { return p.AsString() } cacheableTerms := []string{} for _, termSet := range p.termSets { if len(termSet) == 1 && !termSet[0].inv && (p.fuzzy || termSet[0].typ == termExact) { cacheableTerms = append(cacheableTerms, string(termSet[0].text)) } } return strings.Join(cacheableTerms, "\t") } // CacheKey is used to build string to be used as the key of result cache func (p *Pattern) CacheKey() string { return p.cacheKey } // Match returns the list of matches Items in the given Chunk func (p *Pattern) Match(chunk *Chunk, slab *util.Slab) []Result { // ChunkCache: Exact match cacheKey := p.CacheKey() if p.cacheable { if cached := p.cache.Lookup(chunk, cacheKey); cached != nil { return cached } } // Prefix/suffix cache space := p.cache.Search(chunk, cacheKey) matches := p.matchChunk(chunk, space, slab) if p.cacheable { p.cache.Add(chunk, cacheKey, matches) } return matches } func (p *Pattern) matchChunk(chunk *Chunk, space []Result, slab *util.Slab) []Result { matches := []Result{} if len(p.denylist) == 0 { // Huge code duplication for minimizing unnecessary map lookups if space == nil { for idx := 0; idx < chunk.count; idx++ { if match, _, _ := p.MatchItem(&chunk.items[idx], p.withPos, slab); match != nil { matches = append(matches, *match) } } } else { for _, result := range space { if match, _, _ := p.MatchItem(result.item, p.withPos, slab); match != nil { matches = append(matches, *match) } } } return matches } if space == nil { for idx := 0; idx < chunk.count; idx++ { if _, prs := p.denylist[chunk.items[idx].Index()]; prs { continue } if match, _, _ := p.MatchItem(&chunk.items[idx], p.withPos, slab); match != nil { matches = append(matches, *match) } } } else { for _, result := range space { if _, prs := p.denylist[result.item.Index()]; prs { continue } if match, _, _ := p.MatchItem(result.item, p.withPos, slab); match != nil { matches = append(matches, *match) } } } return matches } // MatchItem returns true if the Item is a match func (p *Pattern) MatchItem(item *Item, withPos bool, slab *util.Slab) (*Result, []Offset, *[]int) { if p.extended { if offsets, bonus, pos := p.extendedMatch(item, withPos, slab); len(offsets) == len(p.termSets) { result := buildResult(item, offsets, bonus) return &result, offsets, pos } return nil, nil, nil } offset, bonus, pos := p.basicMatch(item, withPos, slab) if sidx := offset[0]; sidx >= 0 { offsets := []Offset{offset} result := buildResult(item, offsets, bonus) return &result, offsets, pos } return nil, nil, nil } func (p *Pattern) basicMatch(item *Item, withPos bool, slab *util.Slab) (Offset, int, *[]int) { var input []Token if len(p.nth) == 0 { input = []Token{{text: &item.text, prefixLength: 0}} } else { input = p.transformInput(item) } if p.fuzzy { return p.iter(p.fuzzyAlgo, input, p.caseSensitive, p.normalize, p.forward, p.text, withPos, slab) } return p.iter(algo.ExactMatchNaive, input, p.caseSensitive, p.normalize, p.forward, p.text, withPos, slab) } func (p *Pattern) extendedMatch(item *Item, withPos bool, slab *util.Slab) ([]Offset, int, *[]int) { var input []Token if len(p.nth) == 0 { input = []Token{{text: &item.text, prefixLength: 0}} } else { input = p.transformInput(item) } offsets := []Offset{} var totalScore int var allPos *[]int if withPos { allPos = &[]int{} } for _, termSet := range p.termSets { var offset Offset var currentScore int matched := false for _, term := range termSet { pfun := p.procFun[term.typ] off, score, pos := p.iter(pfun, input, term.caseSensitive, term.normalize, p.forward, term.text, withPos, slab) if sidx := off[0]; sidx >= 0 { if term.inv { continue } offset, currentScore = off, score matched = true if withPos { if pos != nil { *allPos = append(*allPos, *pos...) } else { for idx := off[0]; idx < off[1]; idx++ { *allPos = append(*allPos, int(idx)) } } } break } else if term.inv { offset, currentScore = Offset{0, 0}, 0 matched = true continue } } if matched { offsets = append(offsets, offset) totalScore += currentScore } } return offsets, totalScore, allPos } func (p *Pattern) transformInput(item *Item) []Token { if item.transformed != nil { transformed := *item.transformed if transformed.revision == p.revision { return transformed.tokens } } tokens := Tokenize(item.text.ToString(), p.delimiter) ret := Transform(tokens, p.nth) // Strip the last delimiter to allow suffix match if len(ret) > 0 && !p.delimiter.IsAwk() { chars := ret[len(ret)-1].text stripped := StripLastDelimiter(chars.ToString(), p.delimiter) newChars := util.ToChars(stringBytes(stripped)) ret[len(ret)-1].text = &newChars } item.transformed = &transformed{p.revision, ret} return ret } func (p *Pattern) iter(pfun algo.Algo, tokens []Token, caseSensitive bool, normalize bool, forward bool, pattern []rune, withPos bool, slab *util.Slab) (Offset, int, *[]int) { for _, part := range tokens { if res, pos := pfun(caseSensitive, normalize, forward, part.text, pattern, withPos, slab); res.Start >= 0 { sidx := int32(res.Start) + part.prefixLength eidx := int32(res.End) + part.prefixLength if pos != nil { for idx := range *pos { (*pos)[idx] += int(part.prefixLength) } } return Offset{sidx, eidx}, res.Score, pos } } return Offset{-1, -1}, 0, nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/reader.go
src/reader.go
package fzf import ( "bytes" "context" "io" "io/fs" "os" "path/filepath" "slices" "strings" "sync" "sync/atomic" "time" "github.com/charlievieth/fastwalk" "github.com/junegunn/fzf/src/util" ) // Reader reads from command or standard input type Reader struct { pusher func([]byte) bool executor *util.Executor eventBox *util.EventBox delimNil bool event int32 finChan chan bool mutex sync.Mutex killed bool termFunc func() command *string wait bool } // NewReader returns new Reader object func NewReader(pusher func([]byte) bool, eventBox *util.EventBox, executor *util.Executor, delimNil bool, wait bool) *Reader { return &Reader{ pusher, executor, eventBox, delimNil, int32(EvtReady), make(chan bool, 1), sync.Mutex{}, false, func() { os.Stdin.Close() }, nil, wait} } func (r *Reader) startEventPoller() { go func() { ptr := &r.event pollInterval := readerPollIntervalMin for { if atomic.CompareAndSwapInt32(ptr, int32(EvtReadNew), int32(EvtReady)) { r.eventBox.Set(EvtReadNew, (*string)(nil)) pollInterval = readerPollIntervalMin } else if atomic.LoadInt32(ptr) == int32(EvtReadFin) { if r.wait { r.finChan <- true } return } else { pollInterval += readerPollIntervalStep if pollInterval > readerPollIntervalMax { pollInterval = readerPollIntervalMax } } time.Sleep(pollInterval) } }() } func (r *Reader) fin(success bool) { atomic.StoreInt32(&r.event, int32(EvtReadFin)) if r.wait { <-r.finChan } r.mutex.Lock() ret := r.command if success || r.killed { ret = nil } r.mutex.Unlock() r.eventBox.Set(EvtReadFin, ret) } func (r *Reader) terminate() { r.mutex.Lock() r.killed = true if r.termFunc != nil { r.termFunc() r.termFunc = nil } r.mutex.Unlock() } func (r *Reader) restart(command commandSpec, environ []string, readyChan chan bool) { r.event = int32(EvtReady) r.startEventPoller() success := r.readFromCommand(command.command, environ, func() { readyChan <- true }) r.fin(success) removeFiles(command.tempFiles) } func (r *Reader) readChannel(inputChan chan string) bool { for { item, more := <-inputChan if !more { break } if r.pusher([]byte(item)) { atomic.StoreInt32(&r.event, int32(EvtReadNew)) } } return true } // ReadSource reads data from the default command or from standard input func (r *Reader) ReadSource(inputChan chan string, roots []string, opts walkerOpts, ignores []string, initCmd string, initEnv []string, readyChan chan bool) { r.startEventPoller() var success bool signalReady := func() { if readyChan != nil { readyChan <- true } } if inputChan != nil { signalReady() success = r.readChannel(inputChan) } else if len(initCmd) > 0 { success = r.readFromCommand(initCmd, initEnv, signalReady) } else if util.IsTty(os.Stdin) { cmd := os.Getenv("FZF_DEFAULT_COMMAND") if len(cmd) == 0 { signalReady() success = r.readFiles(roots, opts, ignores) } else { success = r.readFromCommand(cmd, initEnv, signalReady) } } else { signalReady() success = r.readFromStdin() } r.fin(success) } func (r *Reader) feed(src io.Reader) { /* readerSlabSize, ae := strconv.Atoi(os.Getenv("SLAB_KB")) if ae != nil { readerSlabSize = 128 * 1024 } else { readerSlabSize *= 1024 } readerBufferSize, be := strconv.Atoi(os.Getenv("BUF_KB")) if be != nil { readerBufferSize = 64 * 1024 } else { readerBufferSize *= 1024 } */ delim := byte('\n') trimCR := util.IsWindows() if r.delimNil { delim = '\000' trimCR = false } slab := make([]byte, readerSlabSize) leftover := []byte{} var err error for { n := 0 scope := slab[:min(len(slab), readerBufferSize)] for range 100 { n, err = src.Read(scope) if n > 0 || err != nil { break } } // We're not making any progress after 100 tries. Stop. if n == 0 { break } buf := slab[:n] slab = slab[n:] for len(buf) > 0 { if i := bytes.IndexByte(buf, delim); i >= 0 { // Found the delimiter slice := buf[:i+1] buf = buf[i+1:] if trimCR && len(slice) >= 2 && slice[len(slice)-2] == byte('\r') { slice = slice[:len(slice)-2] } else { slice = slice[:len(slice)-1] } if len(leftover) > 0 { slice = append(leftover, slice...) leftover = []byte{} } if (err == nil || len(slice) > 0) && r.pusher(slice) { atomic.StoreInt32(&r.event, int32(EvtReadNew)) } } else { // Could not find the delimiter in the buffer // NOTE: We can further optimize this by keeping track of the cursor // position in the slab so that a straddling item that doesn't go // beyond the boundary of a slab doesn't need to be copied to // another buffer. However, the performance gain is negligible in // practice (< 0.1%) and is not // worth the added complexity. leftover = append(leftover, buf...) break } } if err == io.EOF { leftover = append(leftover, buf...) break } if len(slab) == 0 { slab = make([]byte, readerSlabSize) } } if len(leftover) > 0 && r.pusher(leftover) { atomic.StoreInt32(&r.event, int32(EvtReadNew)) } } func (r *Reader) readFromStdin() bool { r.feed(os.Stdin) return true } func isSymlinkToDir(path string, de os.DirEntry) bool { if de.Type()&fs.ModeSymlink == 0 { return false } if s, err := os.Stat(path); err == nil { return s.IsDir() } return false } func trimPath(path string) string { bytes := stringBytes(path) for len(bytes) > 1 && bytes[0] == '.' && (bytes[1] == '/' || bytes[1] == '\\') { bytes = bytes[2:] } if len(bytes) == 0 { return "." } return byteString(bytes) } func (r *Reader) readFiles(roots []string, opts walkerOpts, ignores []string) bool { conf := fastwalk.Config{ Follow: opts.follow, // Use forward slashes when running a Windows binary under WSL or MSYS ToSlash: fastwalk.DefaultToSlash(), Sort: fastwalk.SortFilesFirst, } ignoresBase := []string{} ignoresFull := []string{} ignoresSuffix := []string{} sep := string(os.PathSeparator) if _, ok := os.LookupEnv("MSYSTEM"); ok { sep = "/" } for _, ignore := range ignores { if strings.ContainsRune(ignore, os.PathSeparator) { if strings.HasPrefix(ignore, sep) { ignoresSuffix = append(ignoresSuffix, ignore) } else { // 'foo/bar' should match // * 'foo/bar' // * 'baz/foo/bar' // * but NOT 'bazfoo/bar' ignoresFull = append(ignoresFull, ignore) ignoresSuffix = append(ignoresSuffix, sep+ignore) } } else { ignoresBase = append(ignoresBase, ignore) } } fn := func(path string, de os.DirEntry, err error) error { if err != nil { return nil } path = trimPath(path) if path != "." { isDir := de.IsDir() if isDir || opts.follow && isSymlinkToDir(path, de) { base := filepath.Base(path) if !opts.hidden && base[0] == '.' && base != ".." { return filepath.SkipDir } if slices.Contains(ignoresBase, base) { return filepath.SkipDir } if slices.Contains(ignoresFull, path) { return filepath.SkipDir } for _, ignore := range ignoresSuffix { if strings.HasSuffix(path, ignore) { return filepath.SkipDir } } if path != sep { path += sep } } if ((opts.file && !isDir) || (opts.dir && isDir)) && r.pusher(stringBytes(path)) { atomic.StoreInt32(&r.event, int32(EvtReadNew)) } } r.mutex.Lock() defer r.mutex.Unlock() if r.killed { return context.Canceled } return nil } noerr := true for _, root := range roots { noerr = noerr && (fastwalk.Walk(&conf, root, fn) == nil) } return noerr } func (r *Reader) readFromCommand(command string, environ []string, signalReady func()) bool { r.mutex.Lock() r.killed = false r.termFunc = nil r.command = &command exec := r.executor.ExecCommand(command, true) if environ != nil { exec.Env = environ } execOut, err := exec.StdoutPipe() if err != nil || exec.Start() != nil { signalReady() r.mutex.Unlock() return false } // Function to call to terminate the running command r.termFunc = func() { execOut.Close() util.KillCommand(exec) } signalReady() r.mutex.Unlock() r.feed(execOut) return exec.Wait() == nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/terminal.go
src/terminal.go
package fzf import ( "bufio" "context" "encoding/json" "fmt" "io" "maps" "math" "net" "os" "os/exec" "os/signal" "regexp" "sort" "strconv" "strings" "sync" "sync/atomic" "syscall" "time" "unicode" "github.com/rivo/uniseg" "github.com/junegunn/fzf/src/tui" "github.com/junegunn/fzf/src/util" ) // import "github.com/pkg/profile" /* Placeholder regex is used to extract placeholders from fzf's template strings. Acts as input validation for parsePlaceholder function. Describes the syntax, but it is fairly lenient. The following pseudo regex has been reverse engineered from the implementation. It is overly strict, but better describes what's possible. As such it is not useful for validation, but rather to generate test cases for example. \\?(?: # escaped type {\+?s?f?r?RANGE(?:,RANGE)*} # token type {q[:s?RANGE]} # query type |{\+?n?f?} # item type (notice no mandatory element inside brackets) ) RANGE = (?: (?:-?[0-9]+)?\.\.(?:-?[0-9]+)? # ellipsis syntax for token range (x..y) |-?[0-9]+ # shorthand syntax (x..x) ) */ var placeholder *regexp.Regexp var whiteSuffix *regexp.Regexp var offsetComponentRegex *regexp.Regexp var offsetTrimCharsRegex *regexp.Regexp var passThroughBeginRegex *regexp.Regexp var passThroughEndTmuxRegex *regexp.Regexp var ttyin *os.File const clearCode string = "\x1b[2J" // Number of maximum focus events to process synchronously const maxFocusEvents = 10000 // execute-silent and transform* actions will block user input for this duration. // After this duration, users can press CTRL-C to terminate the command. const blockDuration = 1 * time.Second func init() { placeholder = regexp.MustCompile(`\\?(?:{[+*sfr]*[0-9,-.]*}|{q(?::s?[0-9,-.]+)?}|{fzf:(?:query|action|prompt)}|{[+*]?f?nf?})`) whiteSuffix = regexp.MustCompile(`\s*$`) offsetComponentRegex = regexp.MustCompile(`([+-][0-9]+)|(-?/[1-9][0-9]*)`) offsetTrimCharsRegex = regexp.MustCompile(`[^0-9/+-]`) // Parts of the preview output that should be passed through to the terminal // * https://github.com/tmux/tmux/wiki/FAQ#what-is-the-passthrough-escape-sequence-and-how-do-i-use-it // * https://sw.kovidgoyal.net/kitty/graphics-protocol // * https://en.wikipedia.org/wiki/Sixel // * https://iterm2.com/documentation-images.html /* passThroughRegex = regexp.MustCompile(` \x1bPtmux;\x1b\x1b .*? [^\x1b]\x1b\\ | \x1b(_G|P[0-9;]*q) .*? \x1b\\\r? | \x1b]1337; .*? (\a|\x1b\\) `) */ passThroughBeginRegex = regexp.MustCompile(`\x1bPtmux;\x1b\x1b|\x1b(_G|P[0-9;]*q)|\x1b]1337;`) passThroughEndTmuxRegex = regexp.MustCompile(`[^\x1b]\x1b\\`) } type jumpMode int const ( jumpDisabled jumpMode = iota jumpEnabled jumpAcceptEnabled ) type resumableState int const ( disabledState resumableState = iota pausedState enabledState ) func (s resumableState) Enabled() bool { return s == enabledState } func (s *resumableState) Force(flag bool) { if flag { *s = enabledState } else { *s = disabledState } } func (s *resumableState) Set(flag bool) { if *s == disabledState { return } if flag { *s = enabledState } else { *s = pausedState } } type commandSpec struct { command string tempFiles []string } type quitSignal struct { code int err error } type previewer struct { version int64 lines []string offset int scrollable bool final bool following resumableState spinner string bar []bool xw [2]int } type previewed struct { version int64 numLines int offset int filled bool image bool wipe bool wireframe bool } type eachLine struct { line string err error } type itemLine struct { valid bool firstLine int numLines int cy int current bool selected bool label string queryLen int width int hasBar bool result Result empty bool other bool hidden bool } func (t *Terminal) inListWindow() bool { return t.window != t.inputWindow && t.window != t.headerWindow && t.window != t.headerLinesWindow && t.window != t.footerWindow } func (t *Terminal) markEmptyLine(line int) { if t.inListWindow() { t.prevLines[line] = itemLine{valid: true, firstLine: line, empty: true} } } func (t *Terminal) markOtherLine(line int) { if t.inListWindow() { t.prevLines[line] = itemLine{valid: true, firstLine: line, other: true} } } type fitpad struct { fit int pad int } type labelPrinter func(tui.Window, int) type markerClass int const ( markerSingle markerClass = iota markerTop markerMiddle markerBottom ) type StatusItem struct { Index int `json:"index"` Text string `json:"text"` } type Status struct { Reading bool `json:"reading"` Progress int `json:"progress"` Query string `json:"query"` Position int `json:"position"` Sort bool `json:"sort"` TotalCount int `json:"totalCount"` MatchCount int `json:"matchCount"` Current *StatusItem `json:"current"` Matches []StatusItem `json:"matches"` Selected []StatusItem `json:"selected"` } type versionedCallback struct { version int64 callback func() } type runningCmd struct { cmd *exec.Cmd tempFiles []string } // Terminal represents terminal input/output type Terminal struct { initDelay time.Duration infoCommand string infoStyle infoStyle infoPrefix string wrap bool wrapSign string wrapSignWidth int ghost string separator labelPrinter separatorLen int spinner []string promptString string prompt func() promptLen int borderLabel labelPrinter borderLabelLen int borderLabelOpts labelOpts previewLabel labelPrinter previewLabelLen int previewLabelOpts labelOpts inputLabel labelPrinter inputLabelLen int inputLabelOpts labelOpts headerLabel labelPrinter headerLabelLen int headerLabelOpts labelOpts footerLabel labelPrinter footerLabelLen int footerLabelOpts labelOpts gutterReverse bool gutterRawReverse bool pointer string pointerLen int pointerEmpty string pointerEmptyRaw string marker string markerLen int markerEmpty string markerMultiLine [3]string queryLen [2]int layout layoutType fullscreen bool keepRight bool hscroll bool hscrollOff int scrollOff int gap int gapLine labelPrinter gapLineLen int wordRubout string wordNext string subWordRubout string subWordNext string cx int cy int offset int xoffset int yanked []rune input []rune inputOverride *[]rune pasting *[]rune multi int multiLine bool sort bool toggleSort bool track trackOption delimiter Delimiter expect map[tui.Event]string keymap map[tui.Event][]*action keymapOrg map[tui.Event][]*action pressed string printQueue []string printQuery bool history *History cycle bool highlightLine bool headerVisible bool headerFirst bool headerLines int header []string header0 []string footer []string ellipsis string scrollbar string previewScrollbar string ansi bool freezeLeft int freezeRight int nthAttr tui.Attr nth []Range nthCurrent []Range acceptNth func([]Token, int32) string tabstop int margin [4]sizeSpec padding [4]sizeSpec unicode bool listenAddr *listenAddress listenPort *int listener net.Listener listenUnsafe bool borderShape tui.BorderShape listBorderShape tui.BorderShape inputBorderShape tui.BorderShape headerBorderShape tui.BorderShape headerLinesShape tui.BorderShape footerBorderShape tui.BorderShape listLabel labelPrinter listLabelLen int listLabelOpts labelOpts cleanExit bool executor *util.Executor paused bool inputless bool border tui.Window window tui.Window inputWindow tui.Window inputBorder tui.Window headerWindow tui.Window headerBorder tui.Window headerLinesWindow tui.Window headerLinesBorder tui.Window footerWindow tui.Window footerBorder tui.Window wborder tui.Window pborder tui.Window pwindow tui.Window borderWidth int count int progress int hasStartActions bool hasResultActions bool hasFocusActions bool hasLoadActions bool hasResizeActions bool triggerLoad bool reading bool running *util.AtomicBool failed *string jumping jumpMode jumpLabels string printer func(string) printsep string merger *Merger passMerger *Merger resultMerger *Merger matchMap map[int32]Result selected map[int32]selectedItem version int64 revision revision bgVersion int64 runningCmds *util.ConcurrentSet[*runningCmd] reqBox *util.EventBox initialPreviewOpts previewOpts previewOpts previewOpts activePreviewOpts *previewOpts previewer previewer previewed previewed previewBox *util.EventBox eventBox *util.EventBox mutex sync.Mutex uiMutex sync.Mutex initFunc func() error prevLines []itemLine suppress bool startChan chan fitpad killChan chan bool serverInputChan chan []*action callbackChan chan versionedCallback bgQueue map[action][]func(bool) bgSemaphore chan struct{} bgSemaphores map[action]chan struct{} keyChan chan tui.Event eventChan chan tui.Event slab *util.Slab theme *tui.ColorTheme tui tui.Renderer ttyDefault string ttyin *os.File executing *util.AtomicBool termSize tui.TermSize lastAction actionType lastKey string lastFocus int32 areaLines int areaColumns int forcePreview bool clickHeaderLine int clickHeaderColumn int clickFooterLine int clickFooterColumn int proxyScript string numLinesCache map[int32]numLinesCacheValue raw bool } type numLinesCacheValue struct { atMost int numLines int } type selectedItem struct { at time.Time item *Item } type byTimeOrder []selectedItem func (a byTimeOrder) Len() int { return len(a) } func (a byTimeOrder) Swap(i, j int) { a[i], a[j] = a[j], a[i] } func (a byTimeOrder) Less(i, j int) bool { return a[i].at.Before(a[j].at) } // EventTypes are listed in the order of their priority. const ( reqResize util.EventType = iota reqReinit reqFullRedraw reqRedraw reqJump reqPrompt reqInfo reqHeader reqFooter reqList reqRedrawInputLabel reqRedrawHeaderLabel reqRedrawFooterLabel reqRedrawListLabel reqRedrawBorderLabel reqRedrawPreviewLabel reqPreviewReady reqPreviewEnqueue reqPreviewDisplay reqPreviewRefresh reqPreviewDelayed reqActivate reqClose reqPrintQuery reqBecome reqQuit reqFatal ) func isTerminalEvent(et util.EventType) bool { switch et { case reqClose, reqPrintQuery, reqBecome, reqQuit, reqFatal: return true } return false } type action struct { t actionType a string } //go:generate stringer -type=actionType type actionType int const ( actIgnore actionType = iota actStart actClick actInvalid actBracketedPasteBegin actBracketedPasteEnd actChar actMouse actBeginningOfLine actAbort actAccept actAcceptNonEmpty actAcceptOrPrintQuery actBackwardChar actBackwardDeleteChar actBackwardDeleteCharEof actBackwardWord actBackwardSubWord actCancel actChangeBorderLabel actChangeGhost actChangeHeader actChangeFooter actChangeHeaderLabel actChangeFooterLabel actChangeInputLabel actChangeListLabel actChangeMulti actChangeNth actChangePointer actChangePreview actChangePreviewLabel actChangePreviewWindow actChangePrompt actChangeQuery actClearScreen actClearQuery actClearSelection actClose actDeleteChar actDeleteCharEof actEndOfLine actFatal actForwardChar actForwardWord actForwardSubWord actKillLine actKillWord actKillSubWord actUnixLineDiscard actUnixWordRubout actYank actBackwardKillWord actBackwardKillSubWord actSelectAll actDeselectAll actToggle actToggleSearch actToggleAll actToggleDown actToggleUp actToggleIn actToggleOut actToggleTrack actToggleTrackCurrent actToggleHeader actToggleWrap actToggleMultiLine actToggleHscroll actToggleRaw actEnableRaw actDisableRaw actTrackCurrent actToggleInput actHideInput actShowInput actUntrackCurrent actDown actDownMatch actUp actUpMatch actPageUp actPageDown actPosition actHalfPageUp actHalfPageDown actOffsetUp actOffsetDown actOffsetMiddle actJump actJumpAccept // XXX Deprecated in favor of jump:accept binding actPrintQuery // XXX Deprecated (not very useful, just use --print-query) actRefreshPreview actReplaceQuery actToggleSort actShowPreview actHidePreview actTogglePreview actTogglePreviewWrap actTransform actTransformBorderLabel actTransformGhost actTransformHeader actTransformFooter actTransformHeaderLabel actTransformFooterLabel actTransformInputLabel actTransformListLabel actTransformNth actTransformPointer actTransformPreviewLabel actTransformPrompt actTransformQuery actTransformSearch actTrigger actBgTransform actBgTransformBorderLabel actBgTransformGhost actBgTransformHeader actBgTransformFooter actBgTransformHeaderLabel actBgTransformFooterLabel actBgTransformInputLabel actBgTransformListLabel actBgTransformNth actBgTransformPointer actBgTransformPreviewLabel actBgTransformPrompt actBgTransformQuery actBgTransformSearch actBgCancel actSearch actPreview actPreviewTop actPreviewBottom actPreviewUp actPreviewDown actPreviewPageUp actPreviewPageDown actPreviewHalfPageUp actPreviewHalfPageDown actPrevHistory actPrevSelected actPrint actPut actNextHistory actNextSelected actExecute actExecuteSilent actExecuteMulti // Deprecated actSigStop actBest actFirst actLast actReload actReloadSync actDisableSearch actEnableSearch actSelect actDeselect actUnbind actRebind actToggleBind actBecome actShowHeader actHideHeader actBell actExclude actExcludeMulti actAsync ) func (a actionType) Name() string { return util.ToKebabCase(a.String()[3:]) } func processExecution(action actionType) bool { switch action { case actTransform, actTransformBorderLabel, actTransformGhost, actTransformHeader, actTransformFooter, actTransformHeaderLabel, actTransformFooterLabel, actTransformInputLabel, actTransformListLabel, actTransformNth, actTransformPointer, actTransformPreviewLabel, actTransformPrompt, actTransformQuery, actTransformSearch, actBgTransform, actBgTransformBorderLabel, actBgTransformGhost, actBgTransformHeader, actBgTransformFooter, actBgTransformHeaderLabel, actBgTransformFooterLabel, actBgTransformInputLabel, actBgTransformListLabel, actBgTransformNth, actBgTransformPointer, actBgTransformPreviewLabel, actBgTransformPrompt, actBgTransformQuery, actBgTransformSearch, actPreview, actChangePreview, actRefreshPreview, actExecute, actExecuteSilent, actExecuteMulti, actReload, actReloadSync, actBecome: return true } return false } type placeholderFlags struct { plus bool asterisk bool preserveSpace bool number bool forceUpdate bool file bool raw bool } type searchRequest struct { sort bool sync bool nth *[]Range command *commandSpec environ []string changed bool denylist []int32 revision revision } type previewRequest struct { template string scrollOffset int list [3][]*Item // current, select, and all matched items env []string query string } type previewResult struct { version int64 lines []string offset int spinner string } func toActions(types ...actionType) []*action { actions := make([]*action, len(types)) for idx, t := range types { actions[idx] = &action{t: t, a: ""} } return actions } func defaultKeymap() map[tui.Event][]*action { keymap := make(map[tui.Event][]*action) add := func(e tui.EventType, a actionType) { keymap[e.AsEvent()] = toActions(a) } addEvent := func(e tui.Event, a actionType) { keymap[e] = toActions(a) } add(tui.Fatal, actFatal) add(tui.Invalid, actInvalid) add(tui.BracketedPasteBegin, actBracketedPasteBegin) add(tui.BracketedPasteEnd, actBracketedPasteEnd) add(tui.CtrlA, actBeginningOfLine) add(tui.CtrlB, actBackwardChar) add(tui.CtrlC, actAbort) add(tui.CtrlG, actAbort) add(tui.CtrlQ, actAbort) add(tui.Esc, actAbort) add(tui.CtrlD, actDeleteCharEof) add(tui.CtrlE, actEndOfLine) add(tui.CtrlF, actForwardChar) add(tui.Backspace, actBackwardDeleteChar) add(tui.CtrlBackspace, actBackwardDeleteChar) add(tui.Tab, actToggleDown) add(tui.ShiftTab, actToggleUp) add(tui.CtrlJ, actDown) add(tui.CtrlK, actUp) add(tui.CtrlL, actClearScreen) add(tui.Enter, actAccept) add(tui.CtrlN, actDownMatch) add(tui.CtrlP, actUpMatch) add(tui.AltDown, actDownMatch) add(tui.AltUp, actUpMatch) add(tui.CtrlU, actUnixLineDiscard) add(tui.CtrlW, actUnixWordRubout) add(tui.CtrlY, actYank) if !util.IsWindows() { add(tui.CtrlZ, actSigStop) } add(tui.CtrlSlash, actToggleWrap) addEvent(tui.AltKey('/'), actToggleWrap) addEvent(tui.AltKey('b'), actBackwardWord) add(tui.ShiftLeft, actBackwardWord) addEvent(tui.AltKey('f'), actForwardWord) add(tui.ShiftRight, actForwardWord) addEvent(tui.AltKey('d'), actKillWord) add(tui.AltBackspace, actBackwardKillWord) add(tui.Up, actUp) add(tui.Down, actDown) add(tui.Left, actBackwardChar) add(tui.Right, actForwardChar) add(tui.Home, actBeginningOfLine) add(tui.End, actEndOfLine) add(tui.Delete, actDeleteChar) add(tui.PageUp, actPageUp) add(tui.PageDown, actPageDown) add(tui.ShiftUp, actPreviewUp) add(tui.ShiftDown, actPreviewDown) add(tui.Mouse, actMouse) add(tui.LeftClick, actClick) add(tui.RightClick, actToggle) add(tui.SLeftClick, actToggle) add(tui.SRightClick, actToggle) add(tui.ScrollUp, actUp) add(tui.ScrollDown, actDown) keymap[tui.SScrollUp.AsEvent()] = toActions(actToggle, actUp) keymap[tui.SScrollDown.AsEvent()] = toActions(actToggle, actDown) add(tui.PreviewScrollUp, actPreviewUp) add(tui.PreviewScrollDown, actPreviewDown) return keymap } func trimQuery(query string) []rune { return []rune(strings.ReplaceAll(query, "\t", " ")) } func mayTriggerPreview(opts *Options) bool { if opts.ListenAddr != nil { return true } for _, actions := range opts.Keymap { for _, action := range actions { switch action.t { case actPreview, actChangePreview, actTransform, actBgTransform: return true } } } return false } func makeSpinner(unicode bool) []string { if unicode { return []string{`⠋`, `⠙`, `⠹`, `⠸`, `⠼`, `⠴`, `⠦`, `⠧`, `⠇`, `⠏`} } return []string{`-`, `\`, `|`, `/`, `-`, `\`, `|`, `/`} } func evaluateHeight(opts *Options, termHeight int) int { size := opts.Height.size if opts.Height.percent { if opts.Height.inverse { size = 100 - size } return max(int(size*float64(termHeight)/100.0), opts.MinHeight) } if opts.Height.inverse { size = float64(termHeight) - size } return int(size) } // NewTerminal returns new Terminal object func NewTerminal(opts *Options, eventBox *util.EventBox, executor *util.Executor) (*Terminal, error) { input := trimQuery(opts.Query) var delay time.Duration if opts.Sync { delay = 0 } else if opts.Tac { delay = initialDelayTac } else { delay = initialDelay } var previewBox *util.EventBox // We need to start the previewer even when --preview option is not specified // * if HTTP server is enabled // * if 'preview' or 'change-preview' action is bound to a key // * if 'transform' action is bound to a key if len(opts.Preview.command) > 0 || mayTriggerPreview(opts) { previewBox = util.NewEventBox() } var renderer tui.Renderer fullscreen := !opts.Height.auto && (opts.Height.size == 0 || opts.Height.percent && opts.Height.size == 100) var err error // Reuse ttyin if available to avoid having multiple file descriptors open // when you run fzf multiple times in your Go program. Closing it is known to // cause problems with 'become' action and invalid terminal state after exit. if ttyin == nil { if ttyin, err = tui.TtyIn(opts.TtyDefault); err != nil { return nil, err } } if fullscreen { if tui.HasFullscreenRenderer() { renderer = tui.NewFullscreenRenderer(opts.Theme, opts.Black, opts.Mouse) } else { renderer, err = tui.NewLightRenderer(opts.TtyDefault, ttyin, opts.Theme, opts.Black, opts.Mouse, opts.Tabstop, opts.ClearOnExit, true, func(h int) int { return h }) } } else { maxHeightFunc := func(termHeight int) int { // Minimum height required to render fzf excluding margin and padding effectiveMinHeight := minHeight if previewBox != nil && opts.Preview.aboveOrBelow() { effectiveMinHeight += 1 + borderLines(opts.Preview.Border()) } if opts.noSeparatorLine() { effectiveMinHeight-- } effectiveMinHeight += borderLines(opts.BorderShape) return min(termHeight, max(evaluateHeight(opts, termHeight), effectiveMinHeight)) } renderer, err = tui.NewLightRenderer(opts.TtyDefault, ttyin, opts.Theme, opts.Black, opts.Mouse, opts.Tabstop, opts.ClearOnExit, false, maxHeightFunc) } if err != nil { return nil, err } if opts.Inputless { renderer.HideCursor() } wordRubout := "[^\\pL\\pN][\\pL\\pN]" wordNext := "[\\pL\\pN][^\\pL\\pN]|(.$)" subWordRubout := "[a-z][A-Z]|[^\\pL\\pN][\\pL\\pN]" subWordNext := "[a-z][A-Z]|[\\pL\\pN][^\\pL\\pN]|(.$)" if opts.FileWord { sep := regexp.QuoteMeta(string(os.PathSeparator)) wordRubout = fmt.Sprintf("%s[^%s]", sep, sep) wordNext = fmt.Sprintf("[^%s]%s|(.$)", sep, sep) } keymapCopy := maps.Clone(opts.Keymap) em := EmptyMerger(revision{}) t := Terminal{ initDelay: delay, infoCommand: opts.InfoCommand, infoStyle: opts.InfoStyle, infoPrefix: opts.InfoPrefix, ghost: opts.Ghost, separator: nil, spinner: makeSpinner(opts.Unicode), promptString: opts.Prompt, queryLen: [2]int{0, 0}, layout: opts.Layout, fullscreen: fullscreen, keepRight: opts.KeepRight, hscroll: opts.Hscroll, hscrollOff: opts.HscrollOff, scrollOff: opts.ScrollOff, pointer: *opts.Pointer, pointerLen: uniseg.StringWidth(*opts.Pointer), marker: *opts.Marker, markerLen: uniseg.StringWidth(*opts.Marker), markerMultiLine: *opts.MarkerMulti, wordRubout: wordRubout, wordNext: wordNext, subWordRubout: subWordRubout, subWordNext: subWordNext, cx: len(input), cy: 0, offset: 0, xoffset: 0, yanked: []rune{}, input: input, multi: opts.Multi, multiLine: opts.ReadZero && opts.MultiLine, wrap: opts.Wrap, sort: opts.Sort > 0, toggleSort: opts.ToggleSort, track: opts.Track, delimiter: opts.Delimiter, expect: opts.Expect, keymap: opts.Keymap, keymapOrg: keymapCopy, pressed: "", printQuery: opts.PrintQuery, history: opts.History, margin: opts.Margin, padding: opts.Padding, unicode: opts.Unicode, listenAddr: opts.ListenAddr, listenUnsafe: opts.Unsafe, borderShape: opts.BorderShape, listBorderShape: opts.ListBorderShape, inputBorderShape: opts.InputBorderShape, headerBorderShape: opts.HeaderBorderShape, headerLinesShape: opts.HeaderLinesShape, footerBorderShape: opts.FooterBorderShape, borderWidth: 1, listLabel: nil, listLabelOpts: opts.ListLabel, borderLabel: nil, borderLabelOpts: opts.BorderLabel, previewLabel: nil, previewLabelOpts: opts.PreviewLabel, inputLabel: nil, inputLabelOpts: opts.InputLabel, headerLabel: nil, headerLabelOpts: opts.HeaderLabel, footerLabel: nil, footerLabelOpts: opts.FooterLabel, cleanExit: opts.ClearOnExit, executor: executor, paused: opts.Phony, inputless: opts.Inputless, cycle: opts.Cycle, highlightLine: opts.CursorLine, headerVisible: true, headerFirst: opts.HeaderFirst, headerLines: opts.HeaderLines, gap: opts.Gap, header: []string{}, footer: opts.Footer, header0: opts.Header, ansi: opts.Ansi, freezeLeft: opts.FreezeLeft, freezeRight: opts.FreezeRight, nthAttr: opts.Theme.Nth.Attr, nth: opts.Nth, nthCurrent: opts.Nth, tabstop: opts.Tabstop, raw: opts.Raw, hasStartActions: false, hasResultActions: false, hasFocusActions: false, hasLoadActions: false, triggerLoad: false, reading: true, running: util.NewAtomicBool(true), failed: nil, jumping: jumpDisabled, jumpLabels: opts.JumpLabels, printer: opts.Printer, printsep: opts.PrintSep, proxyScript: opts.ProxyScript, merger: em, passMerger: em, resultMerger: em, matchMap: make(map[int32]Result), selected: make(map[int32]selectedItem), runningCmds: util.NewConcurrentSet[*runningCmd](), reqBox: util.NewEventBox(), initialPreviewOpts: opts.Preview, previewOpts: opts.Preview, activePreviewOpts: &opts.Preview, previewer: previewer{0, []string{}, 0, false, true, disabledState, "", []bool{}, [2]int{0, 0}}, previewed: previewed{0, 0, 0, false, false, false, false}, previewBox: previewBox, eventBox: eventBox, mutex: sync.Mutex{}, uiMutex: sync.Mutex{}, suppress: true, slab: util.MakeSlab(slab16Size, slab32Size), theme: opts.Theme, startChan: make(chan fitpad, 1), killChan: make(chan bool), serverInputChan: make(chan []*action, 100), callbackChan: make(chan versionedCallback, maxBgProcesses), bgQueue: make(map[action][]func(bool)), bgSemaphore: make(chan struct{}, maxBgProcesses), bgSemaphores: make(map[action]chan struct{}), keyChan: make(chan tui.Event), eventChan: make(chan tui.Event, 6), // start | (load + result + zero|one) | (focus) | (resize) tui: renderer, ttyDefault: opts.TtyDefault, ttyin: ttyin, initFunc: func() error { return renderer.Init() }, executing: util.NewAtomicBool(false), lastAction: actStart, lastFocus: minItem.Index(), numLinesCache: make(map[int32]numLinesCacheValue)} if opts.AcceptNth != nil { t.acceptNth = opts.AcceptNth(t.delimiter) } baseTheme := opts.BaseTheme if baseTheme == nil { baseTheme = renderer.DefaultTheme() } // This should be called before accessing tui.Color* tui.InitTheme(opts.Theme, baseTheme, opts.Bold, opts.Black, opts.InputBorderShape.Visible(), opts.HeaderBorderShape.Visible()) // Gutter character var gutterChar, gutterRawChar string if opts.Gutter != nil { gutterChar = *opts.Gutter } else if t.unicode { gutterChar = "▌" } else { gutterChar = " " t.gutterReverse = true } if opts.GutterRaw != nil { gutterRawChar = *opts.GutterRaw } else if t.unicode { gutterRawChar = "▖" } else { gutterRawChar = ":" t.gutterRawReverse = false } t.prompt, t.promptLen = t.parsePrompt(opts.Prompt) // Pre-calculated empty pointer and marker signs if t.pointerLen == 0 { t.pointerEmpty = "" t.pointerEmptyRaw = "" } else { t.pointerEmpty = gutterChar + strings.Repeat(" ", max(0, t.pointerLen-1)) t.pointerEmptyRaw = gutterRawChar + strings.Repeat(" ", max(0, t.pointerLen-1)) } t.markerEmpty = strings.Repeat(" ", t.markerLen) // Labels t.listLabel, t.listLabelLen = t.ansiLabelPrinter(opts.ListLabel.label, &tui.ColListLabel, false) t.borderLabel, t.borderLabelLen = t.ansiLabelPrinter(opts.BorderLabel.label, &tui.ColBorderLabel, false) t.previewLabel, t.previewLabelLen = t.ansiLabelPrinter(opts.PreviewLabel.label, &tui.ColPreviewLabel, false) t.inputLabel, t.inputLabelLen = t.ansiLabelPrinter(opts.InputLabel.label, &tui.ColInputLabel, false) t.headerLabel, t.headerLabelLen = t.ansiLabelPrinter(opts.HeaderLabel.label, &tui.ColHeaderLabel, false) t.footerLabel, t.footerLabelLen = t.ansiLabelPrinter(opts.FooterLabel.label, &tui.ColFooterLabel, false) // Determine border shape if t.borderShape == tui.BorderLine { if t.fullscreen { t.borderShape = tui.BorderNone } else { t.borderShape = tui.BorderTop } } // Determine input border shape if t.inputBorderShape == tui.BorderLine { if t.layout == layoutReverse { t.inputBorderShape = tui.BorderBottom } else { t.inputBorderShape = tui.BorderTop } } // Determine header border shape if t.headerBorderShape == tui.BorderLine { if t.layout == layoutReverse { t.headerBorderShape = tui.BorderBottom } else { t.headerBorderShape = tui.BorderTop } } // Determine header lines border shape if t.headerLinesShape == tui.BorderLine { if t.layout == layoutDefault { t.headerLinesShape = tui.BorderTop } else { t.headerLinesShape = tui.BorderBottom } } // Determine footer border shape if t.footerBorderShape == tui.BorderLine { if t.layout == layoutReverse { t.footerBorderShape = tui.BorderTop } else { t.footerBorderShape = tui.BorderBottom } } // Disable separator by default if input border is set if opts.Separator == nil && !t.inputBorderShape.Visible() || opts.Separator != nil && len(*opts.Separator) > 0 { bar := "─" if opts.Separator != nil { bar = *opts.Separator } else if !t.unicode { bar = "-" } t.separator, t.separatorLen = t.ansiLabelPrinter(bar, &tui.ColSeparator, true) } // Gap line if t.gap > 0 && len(*opts.GapLine) > 0 { t.gapLine, t.gapLineLen = t.ansiLabelPrinter(*opts.GapLine, &tui.ColGapLine, true) } if opts.Ellipsis != nil { t.ellipsis = *opts.Ellipsis } else if t.unicode { t.ellipsis = "··" } else { t.ellipsis = ".." } if t.unicode { t.wrapSign = "↳ " t.borderWidth = uniseg.StringWidth("│") } else { t.wrapSign = "> " } if opts.WrapSign != nil { t.wrapSign = *opts.WrapSign } t.wrapSign, t.wrapSignWidth = t.processTabs([]rune(t.wrapSign), 0) if opts.Scrollbar == nil { if t.unicode && t.borderWidth == 1 { t.scrollbar = "│" } else { t.scrollbar = "|" } t.previewScrollbar = t.scrollbar } else { runes := []rune(*opts.Scrollbar) if len(runes) > 0 { t.scrollbar = string(runes[0]) t.previewScrollbar = t.scrollbar if len(runes) > 1 { t.previewScrollbar = string(runes[1]) } } } var resizeActions []*action resizeActions, t.hasResizeActions = t.keymap[tui.Resize.AsEvent()] if t.tui.ShouldEmitResizeEvent() { t.keymap[tui.Resize.AsEvent()] = append(toActions(actClearScreen), resizeActions...) } _, t.hasStartActions = t.keymap[tui.Start.AsEvent()] _, t.hasResultActions = t.keymap[tui.Result.AsEvent()] _, t.hasFocusActions = t.keymap[tui.Focus.AsEvent()] _, t.hasLoadActions = t.keymap[tui.Load.AsEvent()]
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
true
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/options_pprof_test.go
src/options_pprof_test.go
//go:build pprof // +build pprof package fzf import ( "bytes" "flag" "os" "os/exec" "path/filepath" "testing" "github.com/junegunn/fzf/src/util" ) // runInitProfileTests is an internal flag used TestInitProfiling var runInitProfileTests = flag.Bool("test-init-profile", false, "run init profile tests") func TestInitProfiling(t *testing.T) { if testing.Short() { t.Skip("short test") } // Run this test in a separate process since it interferes with // profiling and modifies the global atexit state. Without this // running `go test -bench . -cpuprofile cpu.out` will fail. if !*runInitProfileTests { t.Parallel() // Make sure we are not the child process. if os.Getenv("_FZF_CHILD_PROC") != "" { t.Fatal("already running as child process!") } cmd := exec.Command(os.Args[0], "-test.timeout", "30s", "-test.run", "^"+t.Name()+"$", "-test-init-profile", ) cmd.Env = append(os.Environ(), "_FZF_CHILD_PROC=1") out, err := cmd.CombinedOutput() out = bytes.TrimSpace(out) if err != nil { t.Fatalf("Child test process failed: %v:\n%s", err, out) } // Make sure the test actually ran if bytes.Contains(out, []byte("no tests to run")) { t.Fatalf("Failed to run test %q:\n%s", t.Name(), out) } return } // Child process tempdir := t.TempDir() t.Cleanup(util.RunAtExitFuncs) o := Options{ CPUProfile: filepath.Join(tempdir, "cpu.prof"), MEMProfile: filepath.Join(tempdir, "mem.prof"), BlockProfile: filepath.Join(tempdir, "block.prof"), MutexProfile: filepath.Join(tempdir, "mutex.prof"), } if err := o.initProfiling(); err != nil { t.Fatal(err) } profiles := []string{ o.CPUProfile, o.MEMProfile, o.BlockProfile, o.MutexProfile, } for _, name := range profiles { if _, err := os.Stat(name); err != nil { t.Errorf("Failed to create profile %s: %v", filepath.Base(name), err) } } util.RunAtExitFuncs() for _, name := range profiles { if _, err := os.Stat(name); err != nil { t.Errorf("Failed to write profile %s: %v", filepath.Base(name), err) } } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/winpty_windows.go
src/winpty_windows.go
//go:build windows package fzf import ( "fmt" "os" "os/exec" "strings" "github.com/junegunn/fzf/src/util" ) func isMintty345() bool { return util.CompareVersions(os.Getenv("TERM_PROGRAM_VERSION"), "3.4.5") >= 0 } func needWinpty(opts *Options) bool { if os.Getenv("TERM_PROGRAM") != "mintty" { return false } if isMintty345() { /* See: https://github.com/junegunn/fzf/issues/3809 "MSYS=enable_pcon" allows fzf to run properly on mintty 3.4.5 or later. */ if strings.Contains(os.Getenv("MSYS"), "enable_pcon") { return false } // Setting the environment variable here unfortunately doesn't help, // so we need to start a child process with "MSYS=enable_pcon" // os.Setenv("MSYS", "enable_pcon") return true } if opts.NoWinpty { return false } if _, err := exec.LookPath("winpty"); err != nil { return false } return true } func runWinpty(args []string, opts *Options) (int, error) { argStr := escapeSingleQuote(args[0]) for _, arg := range args[1:] { argStr += " " + escapeSingleQuote(arg) } argStr += ` --no-winpty` if isMintty345() { return runProxy(argStr, func(temp string, needBash bool) (*exec.Cmd, error) { sh, err := sh(needBash) if err != nil { return nil, err } cmd := exec.Command(sh, temp) cmd.Env = append(os.Environ(), "MSYS=enable_pcon") cmd.Stdin = os.Stdin cmd.Stdout = os.Stdout cmd.Stderr = os.Stderr return cmd, nil }, opts, false) } return runProxy(argStr, func(temp string, needBash bool) (*exec.Cmd, error) { sh, err := sh(needBash) if err != nil { return nil, err } cmd := exec.Command(sh, "-c", fmt.Sprintf(`winpty < /dev/tty > /dev/tty -- sh %q`, temp)) cmd.Stdout = os.Stdout cmd.Stderr = os.Stderr return cmd, nil }, opts, false) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/merger.go
src/merger.go
package fzf import "fmt" // EmptyMerger is a Merger with no data func EmptyMerger(revision revision) *Merger { return NewMerger(nil, [][]Result{}, false, false, revision, 0, 0) } // Merger holds a set of locally sorted lists of items and provides the view of // a single, globally-sorted list type Merger struct { pattern *Pattern lists [][]Result merged []Result chunks *[]*Chunk cursors []int sorted bool tac bool final bool count int pass bool revision revision minIndex int32 maxIndex int32 } // PassMerger returns a new Merger that simply returns the items in the // original order func PassMerger(chunks *[]*Chunk, tac bool, revision revision) *Merger { var minIndex, maxIndex int32 if len(*chunks) > 0 { minIndex = (*chunks)[0].items[0].Index() maxIndex = (*chunks)[len(*chunks)-1].lastIndex(minIndex) } mg := Merger{ pattern: nil, chunks: chunks, tac: tac, count: 0, pass: true, revision: revision, minIndex: minIndex, maxIndex: maxIndex} for _, chunk := range *mg.chunks { mg.count += chunk.count } return &mg } // NewMerger returns a new Merger func NewMerger(pattern *Pattern, lists [][]Result, sorted bool, tac bool, revision revision, minIndex int32, maxIndex int32) *Merger { mg := Merger{ pattern: pattern, lists: lists, merged: []Result{}, chunks: nil, cursors: make([]int, len(lists)), sorted: sorted, tac: tac, final: false, count: 0, revision: revision, minIndex: minIndex, maxIndex: maxIndex} for _, list := range mg.lists { mg.count += len(list) } return &mg } // Revision returns revision number func (mg *Merger) Revision() revision { return mg.revision } // Length returns the number of items func (mg *Merger) Length() int { return mg.count } func (mg *Merger) First() Result { if mg.tac && !mg.sorted { return mg.Get(mg.count - 1) } return mg.Get(0) } // FindIndex returns the index of the item with the given item index func (mg *Merger) FindIndex(itemIndex int32) int { index := -1 if mg.pass { index = int(itemIndex - mg.minIndex) if mg.tac { index = mg.count - index - 1 } } else { for i := 0; i < mg.count; i++ { if mg.Get(i).item.Index() == itemIndex { index = i break } } } return index } // Get returns the pointer to the Result object indexed by the given integer func (mg *Merger) Get(idx int) Result { if mg.chunks != nil { if mg.tac { idx = mg.count - idx - 1 } firstChunk := (*mg.chunks)[0] if firstChunk.count < chunkSize && idx >= firstChunk.count { idx -= firstChunk.count chunk := (*mg.chunks)[idx/chunkSize+1] return Result{item: &chunk.items[idx%chunkSize]} } chunk := (*mg.chunks)[idx/chunkSize] return Result{item: &chunk.items[idx%chunkSize]} } if mg.sorted { return mg.mergedGet(idx) } if mg.tac { idx = mg.count - idx - 1 } for _, list := range mg.lists { numItems := len(list) if idx < numItems { return list[idx] } idx -= numItems } panic(fmt.Sprintf("Index out of bounds (unsorted, %d/%d)", idx, mg.count)) } func (mg *Merger) ToMap() map[int32]Result { ret := make(map[int32]Result, mg.count) for i := 0; i < mg.count; i++ { result := mg.Get(i) ret[result.Index()] = result } return ret } func (mg *Merger) cacheable() bool { return mg.count < mergerCacheMax } func (mg *Merger) mergedGet(idx int) Result { for i := len(mg.merged); i <= idx; i++ { minRank := minRank() minIdx := -1 for listIdx, list := range mg.lists { cursor := mg.cursors[listIdx] if cursor < 0 || cursor == len(list) { mg.cursors[listIdx] = -1 continue } if cursor >= 0 { rank := list[cursor] if minIdx < 0 || compareRanks(rank, minRank, mg.tac) { minRank = rank minIdx = listIdx } } } if minIdx >= 0 { chosen := mg.lists[minIdx] mg.merged = append(mg.merged, chosen[mg.cursors[minIdx]]) mg.cursors[minIdx]++ } else { panic(fmt.Sprintf("Index out of bounds (sorted, %d/%d)", i, mg.count)) } } return mg.merged[idx] }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/reader_test.go
src/reader_test.go
package fzf import ( "testing" "time" "github.com/junegunn/fzf/src/util" ) func TestReadFromCommand(t *testing.T) { strs := []string{} eb := util.NewEventBox() exec := util.NewExecutor("") reader := NewReader( func(s []byte) bool { strs = append(strs, string(s)); return true }, eb, exec, false, true) reader.startEventPoller() // Check EventBox if eb.Peek(EvtReadNew) { t.Error("EvtReadNew should not be set yet") } // Normal command counter := 0 ready := func() { counter++ } reader.fin(reader.readFromCommand(`echo abc&&echo def`, nil, ready)) if len(strs) != 2 || strs[0] != "abc" || strs[1] != "def" || counter != 1 { t.Errorf("%s", strs) } // Check EventBox again eb.WaitFor(EvtReadFin) // Wait should return immediately eb.Wait(func(events *util.Events) { events.Clear() }) // EventBox is cleared if eb.Peek(EvtReadNew) { t.Error("EvtReadNew should not be set yet") } // Make sure that event poller is finished time.Sleep(readerPollIntervalMax) // Restart event poller reader.startEventPoller() // Failing command reader.fin(reader.readFromCommand(`no-such-command`, nil, ready)) strs = []string{} if len(strs) > 0 || counter != 2 { t.Errorf("%s", strs) } // Check EventBox again if eb.Peek(EvtReadNew) { t.Error("Command failed. EvtReadNew should not be set") } if !eb.Peek(EvtReadFin) { t.Error("EvtReadFin should be set") } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/terminal_test.go
src/terminal_test.go
package fzf import ( "bytes" "io" "os" "regexp" "strings" "testing" "text/template" "github.com/junegunn/fzf/src/util" ) func replacePlaceholderTest(template string, stripAnsi bool, delimiter Delimiter, printsep string, forcePlus bool, query string, allItems [3][]*Item) string { replaced, _ := replacePlaceholder(replacePlaceholderParams{ template: template, stripAnsi: stripAnsi, delimiter: delimiter, printsep: printsep, forcePlus: forcePlus, query: query, allItems: allItems, lastAction: actBackwardDeleteCharEof, prompt: "prompt", executor: util.NewExecutor(""), }) return replaced } func TestReplacePlaceholder(t *testing.T) { item1 := newItem(" foo'bar \x1b[31mbaz\x1b[m") items1 := [3][]*Item{{item1}, {item1}, nil} items2 := [3][]*Item{ {newItem("foo'bar \x1b[31mbaz\x1b[m")}, {newItem("foo'bar \x1b[31mbaz\x1b[m"), newItem("FOO'BAR \x1b[31mBAZ\x1b[m")}, nil} delim := "'" var regex *regexp.Regexp var result string check := func(expected string) { if result != expected { t.Errorf("expected: %s, actual: %s", expected, result) } } // helper function that converts template format into string and carries out the check() checkFormat := func(format string) { type quotes struct{ O, I, S string } // outer, inner quotes, print separator unixStyle := quotes{`'`, `'\''`, "\n"} windowsStyle := quotes{`^"`, `'`, "\n"} var effectiveStyle quotes if util.IsWindows() { effectiveStyle = windowsStyle } else { effectiveStyle = unixStyle } expected := templateToString(format, effectiveStyle) check(expected) } printsep := "\n" /* Test multiple placeholders and the function parameters. */ // {}, preserve ansi result = replacePlaceholderTest("echo {}", false, Delimiter{}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar \x1b[31mbaz\x1b[m{{.O}}") // {}, strip ansi result = replacePlaceholderTest("echo {}", true, Delimiter{}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar baz{{.O}}") // {r}, strip ansi result = replacePlaceholderTest("echo {r}", true, Delimiter{}, printsep, false, "query", items1) checkFormat("echo foo'bar baz") // {r..}, strip ansi result = replacePlaceholderTest("echo {r..}", true, Delimiter{}, printsep, false, "query", items1) checkFormat("echo foo'bar baz") // {}, with multiple items result = replacePlaceholderTest("echo {}", true, Delimiter{}, printsep, false, "query", items2) checkFormat("echo {{.O}}foo{{.I}}bar baz{{.O}}") // {..}, strip leading whitespaces, preserve ansi result = replacePlaceholderTest("echo {..}", false, Delimiter{}, printsep, false, "query", items1) checkFormat("echo {{.O}}foo{{.I}}bar \x1b[31mbaz\x1b[m{{.O}}") // {..}, strip leading whitespaces, strip ansi result = replacePlaceholderTest("echo {..}", true, Delimiter{}, printsep, false, "query", items1) checkFormat("echo {{.O}}foo{{.I}}bar baz{{.O}}") // {q} result = replacePlaceholderTest("echo {} {q}", true, Delimiter{}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar baz{{.O}} {{.O}}query{{.O}}") // {q}, multiple items result = replacePlaceholderTest("echo {+}{q}{+}", true, Delimiter{}, printsep, false, "query 'string'", items2) checkFormat("echo {{.O}}foo{{.I}}bar baz{{.O}} {{.O}}FOO{{.I}}BAR BAZ{{.O}}{{.O}}query {{.I}}string{{.I}}{{.O}}{{.O}}foo{{.I}}bar baz{{.O}} {{.O}}FOO{{.I}}BAR BAZ{{.O}}") result = replacePlaceholderTest("echo {}{q}{}", true, Delimiter{}, printsep, false, "query 'string'", items2) checkFormat("echo {{.O}}foo{{.I}}bar baz{{.O}}{{.O}}query {{.I}}string{{.I}}{{.O}}{{.O}}foo{{.I}}bar baz{{.O}}") result = replacePlaceholderTest("echo {1}/{2}/{2,1}/{-1}/{-2}/{}/{..}/{n.t}/\\{}/\\{1}/\\{q}/{3}", true, Delimiter{}, printsep, false, "query", items1) checkFormat("echo {{.O}}foo{{.I}}bar{{.O}}/{{.O}}baz{{.O}}/{{.O}}bazfoo{{.I}}bar{{.O}}/{{.O}}baz{{.O}}/{{.O}}foo{{.I}}bar{{.O}}/{{.O}} foo{{.I}}bar baz{{.O}}/{{.O}}foo{{.I}}bar baz{{.O}}/{n.t}/{}/{1}/{q}/{{.O}}{{.O}}") result = replacePlaceholderTest("echo {1}/{2}/{-1}/{-2}/{..}/{n.t}/\\{}/\\{1}/\\{q}/{3}", true, Delimiter{}, printsep, false, "query", items2) checkFormat("echo {{.O}}foo{{.I}}bar{{.O}}/{{.O}}baz{{.O}}/{{.O}}baz{{.O}}/{{.O}}foo{{.I}}bar{{.O}}/{{.O}}foo{{.I}}bar baz{{.O}}/{n.t}/{}/{1}/{q}/{{.O}}{{.O}}") result = replacePlaceholderTest("echo {+1}/{+2}/{+-1}/{+-2}/{+..}/{n.t}/\\{}/\\{1}/\\{q}/{+3}", true, Delimiter{}, printsep, false, "query", items2) checkFormat("echo {{.O}}foo{{.I}}bar{{.O}} {{.O}}FOO{{.I}}BAR{{.O}}/{{.O}}baz{{.O}} {{.O}}BAZ{{.O}}/{{.O}}baz{{.O}} {{.O}}BAZ{{.O}}/{{.O}}foo{{.I}}bar{{.O}} {{.O}}FOO{{.I}}BAR{{.O}}/{{.O}}foo{{.I}}bar baz{{.O}} {{.O}}FOO{{.I}}BAR BAZ{{.O}}/{n.t}/{}/{1}/{q}/{{.O}}{{.O}} {{.O}}{{.O}}") // forcePlus result = replacePlaceholderTest("echo {1}/{2}/{-1}/{-2}/{..}/{n.t}/\\{}/\\{1}/\\{q}/{3}", true, Delimiter{}, printsep, true, "query", items2) checkFormat("echo {{.O}}foo{{.I}}bar{{.O}} {{.O}}FOO{{.I}}BAR{{.O}}/{{.O}}baz{{.O}} {{.O}}BAZ{{.O}}/{{.O}}baz{{.O}} {{.O}}BAZ{{.O}}/{{.O}}foo{{.I}}bar{{.O}} {{.O}}FOO{{.I}}BAR{{.O}}/{{.O}}foo{{.I}}bar baz{{.O}} {{.O}}FOO{{.I}}BAR BAZ{{.O}}/{n.t}/{}/{1}/{q}/{{.O}}{{.O}} {{.O}}{{.O}}") // Whitespace preserving flag with "'" delimiter result = replacePlaceholderTest("echo {s1}", true, Delimiter{str: &delim}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.O}}") result = replacePlaceholderTest("echo {s2}", true, Delimiter{str: &delim}, printsep, false, "query", items1) checkFormat("echo {{.O}}bar baz{{.O}}") result = replacePlaceholderTest("echo {s}", true, Delimiter{str: &delim}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar baz{{.O}}") result = replacePlaceholderTest("echo {s..}", true, Delimiter{str: &delim}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar baz{{.O}}") // Whitespace preserving flag with regex delimiter regex = regexp.MustCompile(`\w+`) result = replacePlaceholderTest("echo {s1}", true, Delimiter{regex: regex}, printsep, false, "query", items1) checkFormat("echo {{.O}} {{.O}}") result = replacePlaceholderTest("echo {s2}", true, Delimiter{regex: regex}, printsep, false, "query", items1) checkFormat("echo {{.O}}{{.I}}{{.O}}") result = replacePlaceholderTest("echo {s3}", true, Delimiter{regex: regex}, printsep, false, "query", items1) checkFormat("echo {{.O}} {{.O}}") // No match result = replacePlaceholderTest("echo {}/{+}", true, Delimiter{}, printsep, false, "query", [3][]*Item{nil, nil, nil}) check("echo /") // No match, but with selections result = replacePlaceholderTest("echo {}/{+}", true, Delimiter{}, printsep, false, "query", [3][]*Item{nil, {item1}, nil}) checkFormat("echo /{{.O}} foo{{.I}}bar baz{{.O}}") // String delimiter result = replacePlaceholderTest("echo {}/{1}/{2}", true, Delimiter{str: &delim}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar baz{{.O}}/{{.O}}foo{{.O}}/{{.O}}bar baz{{.O}}") // Regex delimiter regex = regexp.MustCompile("[oa]+") // foo'bar baz result = replacePlaceholderTest("echo {}/{1}/{3}/{2..3}", true, Delimiter{regex: regex}, printsep, false, "query", items1) checkFormat("echo {{.O}} foo{{.I}}bar baz{{.O}}/{{.O}}f{{.O}}/{{.O}}r b{{.O}}/{{.O}}{{.I}}bar b{{.O}}") /* Test single placeholders, but focus on the placeholders' parameters (e.g. flags). see: TestParsePlaceholder */ items3 := [3][]*Item{ // single line {newItem("1a 1b 1c 1d 1e 1f")}, // multi line {newItem("1a 1b 1c 1d 1e 1f"), newItem("2a 2b 2c 2d 2e 2f"), newItem("3a 3b 3c 3d 3e 3f"), newItem("4a 4b 4c 4d 4e 4f"), newItem("5a 5b 5c 5d 5e 5f"), newItem("6a 6b 6c 6d 6e 6f"), newItem("7a 7b 7c 7d 7e 7f")}, nil, } stripAnsi := false forcePlus := false query := "sample query" templateToOutput := make(map[string]string) templateToFile := make(map[string]string) // same as above, but the file contents will be matched // I. item type placeholder templateToOutput[`{}`] = `{{.O}}1a 1b 1c 1d 1e 1f{{.O}}` templateToOutput[`{+}`] = `{{.O}}1a 1b 1c 1d 1e 1f{{.O}} {{.O}}2a 2b 2c 2d 2e 2f{{.O}} {{.O}}3a 3b 3c 3d 3e 3f{{.O}} {{.O}}4a 4b 4c 4d 4e 4f{{.O}} {{.O}}5a 5b 5c 5d 5e 5f{{.O}} {{.O}}6a 6b 6c 6d 6e 6f{{.O}} {{.O}}7a 7b 7c 7d 7e 7f{{.O}}` templateToOutput[`{n}`] = `0` templateToOutput[`{+n}`] = `0 0 0 0 0 0 0` templateToFile[`{f}`] = `1a 1b 1c 1d 1e 1f{{.S}}` templateToFile[`{+f}`] = `1a 1b 1c 1d 1e 1f{{.S}}2a 2b 2c 2d 2e 2f{{.S}}3a 3b 3c 3d 3e 3f{{.S}}4a 4b 4c 4d 4e 4f{{.S}}5a 5b 5c 5d 5e 5f{{.S}}6a 6b 6c 6d 6e 6f{{.S}}7a 7b 7c 7d 7e 7f{{.S}}` templateToFile[`{nf}`] = `0{{.S}}` templateToFile[`{+nf}`] = `0{{.S}}0{{.S}}0{{.S}}0{{.S}}0{{.S}}0{{.S}}0{{.S}}` // II. token type placeholders templateToOutput[`{..}`] = templateToOutput[`{}`] templateToOutput[`{1..}`] = templateToOutput[`{}`] templateToOutput[`{..2}`] = `{{.O}}1a 1b{{.O}}` templateToOutput[`{1..2}`] = templateToOutput[`{..2}`] templateToOutput[`{-2..-1}`] = `{{.O}}1e 1f{{.O}}` // shorthand for x..x range templateToOutput[`{1}`] = `{{.O}}1a{{.O}}` templateToOutput[`{1..1}`] = templateToOutput[`{1}`] templateToOutput[`{-6}`] = templateToOutput[`{1}`] // multiple ranges templateToOutput[`{1,2}`] = templateToOutput[`{1..2}`] templateToOutput[`{1,2,4}`] = `{{.O}}1a 1b 1d{{.O}}` templateToOutput[`{1,2..4}`] = `{{.O}}1a 1b 1c 1d{{.O}}` templateToOutput[`{1..2,-4..-3}`] = `{{.O}}1a 1b 1c 1d{{.O}}` // flags templateToOutput[`{+1}`] = `{{.O}}1a{{.O}} {{.O}}2a{{.O}} {{.O}}3a{{.O}} {{.O}}4a{{.O}} {{.O}}5a{{.O}} {{.O}}6a{{.O}} {{.O}}7a{{.O}}` templateToOutput[`{+-1}`] = `{{.O}}1f{{.O}} {{.O}}2f{{.O}} {{.O}}3f{{.O}} {{.O}}4f{{.O}} {{.O}}5f{{.O}} {{.O}}6f{{.O}} {{.O}}7f{{.O}}` templateToOutput[`{s1}`] = `{{.O}}1a {{.O}}` templateToFile[`{f1}`] = `1a{{.S}}` templateToOutput[`{+s1..2}`] = `{{.O}}1a 1b {{.O}} {{.O}}2a 2b {{.O}} {{.O}}3a 3b {{.O}} {{.O}}4a 4b {{.O}} {{.O}}5a 5b {{.O}} {{.O}}6a 6b {{.O}} {{.O}}7a 7b {{.O}}` templateToFile[`{+sf1..2}`] = `1a 1b {{.S}}2a 2b {{.S}}3a 3b {{.S}}4a 4b {{.S}}5a 5b {{.S}}6a 6b {{.S}}7a 7b {{.S}}` // III. query type placeholder // query flag is not removed after parsing, so it gets doubled // while the double q is invalid, it is useful here for testing purposes templateToOutput[`{q}`] = "{{.O}}" + query + "{{.O}}" templateToOutput[`{fzf:query}`] = "{{.O}}" + query + "{{.O}}" templateToOutput[`{fzf:action} {fzf:prompt}`] = "backward-delete-char-eof 'prompt'" // IV. escaping placeholder templateToOutput[`\{}`] = `{}` templateToOutput[`\{q}`] = `{q}` templateToOutput[`\{fzf:query}`] = `{fzf:query}` templateToOutput[`\{fzf:action}`] = `{fzf:action}` templateToOutput[`\{++}`] = `{++}` templateToOutput[`{++}`] = templateToOutput[`{+}`] for giveTemplate, wantOutput := range templateToOutput { result = replacePlaceholderTest(giveTemplate, stripAnsi, Delimiter{}, printsep, forcePlus, query, items3) checkFormat(wantOutput) } for giveTemplate, wantOutput := range templateToFile { path := replacePlaceholderTest(giveTemplate, stripAnsi, Delimiter{}, printsep, forcePlus, query, items3) data, err := readFile(path) if err != nil { t.Errorf("Cannot read the content of the temp file %s.", path) } result = string(data) checkFormat(wantOutput) } } func TestQuoteEntry(t *testing.T) { type quotes struct{ E, O, SQ, DQ, BS string } // standalone escape, outer, single and double quotes, backslash unixStyle := quotes{``, `'`, `'\''`, `"`, `\`} windowsStyle := quotes{`^`, `^"`, `'`, `\^"`, `\\`} var effectiveStyle quotes exec := util.NewExecutor("") if util.IsWindows() { effectiveStyle = windowsStyle } else { effectiveStyle = unixStyle } tests := map[string]string{ `'`: `{{.O}}{{.SQ}}{{.O}}`, `"`: `{{.O}}{{.DQ}}{{.O}}`, `\`: `{{.O}}{{.BS}}{{.O}}`, `\"`: `{{.O}}{{.BS}}{{.DQ}}{{.O}}`, `"\\\"`: `{{.O}}{{.DQ}}{{.BS}}{{.BS}}{{.BS}}{{.DQ}}{{.O}}`, `$`: `{{.O}}${{.O}}`, `$HOME`: `{{.O}}$HOME{{.O}}`, `'$HOME'`: `{{.O}}{{.SQ}}$HOME{{.SQ}}{{.O}}`, `&`: `{{.O}}{{.E}}&{{.O}}`, `|`: `{{.O}}{{.E}}|{{.O}}`, `<`: `{{.O}}{{.E}}<{{.O}}`, `>`: `{{.O}}{{.E}}>{{.O}}`, `(`: `{{.O}}{{.E}}({{.O}}`, `)`: `{{.O}}{{.E}}){{.O}}`, `@`: `{{.O}}{{.E}}@{{.O}}`, `^`: `{{.O}}{{.E}}^{{.O}}`, `%`: `{{.O}}{{.E}}%{{.O}}`, `!`: `{{.O}}{{.E}}!{{.O}}`, `%USERPROFILE%`: `{{.O}}{{.E}}%USERPROFILE{{.E}}%{{.O}}`, `C:\Program Files (x86)\`: `{{.O}}C:{{.BS}}Program Files {{.E}}(x86{{.E}}){{.BS}}{{.O}}`, `"C:\Program Files"`: `{{.O}}{{.DQ}}C:{{.BS}}Program Files{{.DQ}}{{.O}}`, } for input, expected := range tests { escaped := exec.QuoteEntry(input) expected = templateToString(expected, effectiveStyle) if escaped != expected { t.Errorf("Input: %s, expected: %s, actual %s", input, expected, escaped) } } } // purpose of this test is to demonstrate some shortcomings of fzf's templating system on Unix func TestUnixCommands(t *testing.T) { if util.IsWindows() { t.SkipNow() } tests := []testCase{ // reference: give{template, query, items}, want{output OR match} // 1) working examples // paths that does not have to evaluated will work fine, when quoted {give{`grep foo {}`, ``, newItems(`test`)}, want{output: `grep foo 'test'`}}, {give{`grep foo {}`, ``, newItems(`/home/user/test`)}, want{output: `grep foo '/home/user/test'`}}, {give{`grep foo {}`, ``, newItems(`./test`)}, want{output: `grep foo './test'`}}, // only placeholders are escaped as data, this will lookup tilde character in a test file in your home directory // quoting the tilde is required (to be treated as string) {give{`grep {} ~/test`, ``, newItems(`~`)}, want{output: `grep '~' ~/test`}}, // 2) problematic examples // (not necessarily unexpected) // paths that need to expand some part of it won't work (special characters and variables) {give{`cat {}`, ``, newItems(`~/test`)}, want{output: `cat '~/test'`}}, {give{`cat {}`, ``, newItems(`$HOME/test`)}, want{output: `cat '$HOME/test'`}}, } testCommands(t, tests) } // purpose of this test is to demonstrate some shortcomings of fzf's templating system on Windows func TestWindowsCommands(t *testing.T) { // XXX Deprecated t.SkipNow() tests := []testCase{ // reference: give{template, query, items}, want{output OR match} // 1) working examples // example of redundantly escaped backslash in the output, besides looking bit ugly, it won't cause any issue {give{`type {}`, ``, newItems(`C:\test.txt`)}, want{output: `type ^"C:\\test.txt^"`}}, {give{`rg -- "package" {}`, ``, newItems(`.\test.go`)}, want{output: `rg -- "package" ^".\\test.go^"`}}, // example of mandatorily escaped backslash in the output, otherwise `rg -- "C:\test.txt"` is matching for tabulator {give{`rg -- {}`, ``, newItems(`C:\test.txt`)}, want{output: `rg -- ^"C:\\test.txt^"`}}, // example of mandatorily escaped double quote in the output, otherwise `rg -- ""C:\\test.txt""` is not matching for the double quotes around the path {give{`rg -- {}`, ``, newItems(`"C:\test.txt"`)}, want{output: `rg -- ^"\^"C:\\test.txt\^"^"`}}, // 2) problematic examples // (not necessarily unexpected) // notepad++'s parser can't handle `-n"12"` generate by fzf, expects `-n12` {give{`notepad++ -n{1} {2}`, ``, newItems(`12 C:\Work\Test Folder\File.txt`)}, want{output: `notepad++ -n^"12^" ^"C:\\Work\\Test Folder\\File.txt^"`}}, // cat is parsing `\"` as a part of the file path, double quote is illegal character for paths on Windows // cat: "C:\\test.txt: Invalid argument {give{`cat {}`, ``, newItems(`"C:\test.txt"`)}, want{output: `cat ^"\^"C:\\test.txt\^"^"`}}, // cat: "C:\\test.txt": Invalid argument {give{`cmd /c {}`, ``, newItems(`cat "C:\test.txt"`)}, want{output: `cmd /c ^"cat \^"C:\\test.txt\^"^"`}}, // the "file" flag in the pattern won't create *.bat or *.cmd file so the command in the output tries to edit the file, instead of executing it // the temp file contains: `cat "C:\test.txt"` // TODO this should actually work {give{`cmd /c {f}`, ``, newItems(`cat "C:\test.txt"`)}, want{match: `^cmd /c .*\fzf-preview-[0-9]{9}$`}}, } testCommands(t, tests) } // purpose of this test is to demonstrate some shortcomings of fzf's templating system on Windows in Powershell func TestPowershellCommands(t *testing.T) { if !util.IsWindows() { t.SkipNow() } tests := []testCase{ // reference: give{template, query, items}, want{output OR match} /* You can read each line in the following table as a pipeline that consist of series of parsers that act upon your input (col. 1) and each cell represents the output value. For example: - exec.Command("program.exe", `\''`) - goes to win32 api which will process it transparently as it contains no special characters, see [CommandLineToArgvW][]. - powershell command will receive it as is, that is two arguments: a literal backslash and empty string in single quotes - native command run via/from powershell will receive only one argument: a literal backslash. Because extra parsing rules apply, see [NativeCallsFromPowershell][]. - some¹ apps have internal parser, that requires one more level of escaping (yes, this is completely application-specific, but see terminal_test.go#TestWindowsCommands) Character⁰ CommandLineToArgvW Powershell commands Native commands from Powershell Apps requiring escapes¹ | Being tested below ---------- ------------------ ------------------------------ ------------------------------- -------------------------- | ------------------ " empty string² missing argument error ... ... | \" literal " unbalanced quote error ... ... | '\"' literal '"' literal " empty string empty string (match all) | yes '\\\"' literal '\"' literal \" literal " literal " | ---------- ------------------ ------------------------------ ------------------------------- -------------------------- | ------------------ \ transparent transparent transparent regex error | '\' transparent literal \ literal \ regex error | yes \\ transparent transparent transparent literal \ | '\\' transparent literal \\ literal \\ literal \ | ---------- ------------------ ------------------------------ ------------------------------- -------------------------- | ------------------ ' transparent unbalanced quote error ... ... | \' transparent literal \ and unb. quote error ... ... | \'' transparent literal \ and empty string literal \ regex error | no, but given as example above ''' transparent unbalanced quote error ... ... | '''' transparent literal ' literal ' literal ' | yes ---------- ------------------ ------------------------------ ------------------------------- -------------------------- | ------------------ ⁰: charatecter or characters 'x' as an argument to a program in go's call: exec.Command("program.exe", `x`) ¹: native commands like grep, git grep, ripgrep ²: interpreted as a grouping quote, affects argument parser and gets removed from the result [CommandLineToArgvW]: https://docs.microsoft.com/en-gb/windows/win32/api/shellapi/nf-shellapi-commandlinetoargvw#remarks [NativeCallsFromPowershell]: https://docs.microsoft.com/en-us/powershell/module/microsoft.powershell.core/about/about_parsing?view=powershell-7.1#passing-arguments-that-contain-quote-characters */ // 1) working examples {give{`Get-Content {}`, ``, newItems(`C:\test.txt`)}, want{output: `Get-Content 'C:\test.txt'`}}, {give{`rg -- "package" {}`, ``, newItems(`.\test.go`)}, want{output: `rg -- "package" '.\test.go'`}}, // example of escaping single quotes {give{`rg -- {}`, ``, newItems(`'foobar'`)}, want{output: `rg -- '''foobar'''`}}, // chaining powershells {give{`powershell -NoProfile -Command {}`, ``, newItems(`cat "C:\test.txt"`)}, want{output: `powershell -NoProfile -Command 'cat \"C:\test.txt\"'`}}, // 2) problematic examples // (not necessarily unexpected) // looking for a path string will only work with escaped backslashes {give{`rg -- {}`, ``, newItems(`C:\test.txt`)}, want{output: `rg -- 'C:\test.txt'`}}, // looking for a literal double quote will only work with triple escaped double quotes {give{`rg -- {}`, ``, newItems(`"C:\test.txt"`)}, want{output: `rg -- '\"C:\test.txt\"'`}}, // Get-Content (i.e. cat alias) is parsing `"` as a part of the file path, returns an error: // Get-Content : Cannot find drive. A drive with the name '"C:' does not exist. {give{`cat {}`, ``, newItems(`"C:\test.txt"`)}, want{output: `cat '\"C:\test.txt\"'`}}, // the "file" flag in the pattern won't create *.ps1 file so the powershell will offload this "unknown" filetype // to explorer, which will prompt user to pick editing program for the fzf-preview file // the temp file contains: `cat "C:\test.txt"` // TODO this should actually work {give{`powershell -NoProfile -Command {f}`, ``, newItems(`cat "C:\test.txt"`)}, want{match: `^powershell -NoProfile -Command .*\fzf-preview-[0-9]{9}$`}}, } // to force powershell-style escaping we temporarily set environment variable that fzf honors shellBackup := os.Getenv("SHELL") os.Setenv("SHELL", "powershell") testCommands(t, tests) os.Setenv("SHELL", shellBackup) } /* Test typical valid placeholders and parsing of them. Also since the parser assumes the input is matched with `placeholder` regex, the regex is tested here as well. */ func TestParsePlaceholder(t *testing.T) { // give, want pairs templates := map[string]string{ // I. item type placeholder `{}`: `{}`, `{+}`: `{+}`, `{n}`: `{n}`, `{+n}`: `{+n}`, `{f}`: `{f}`, `{+nf}`: `{+nf}`, // II. token type placeholders `{..}`: `{..}`, `{1..}`: `{1..}`, `{..2}`: `{..2}`, `{1..2}`: `{1..2}`, `{-2..-1}`: `{-2..-1}`, // shorthand for x..x range `{1}`: `{1}`, `{1..1}`: `{1..1}`, `{-6}`: `{-6}`, // multiple ranges `{1,2}`: `{1,2}`, `{1,2,4}`: `{1,2,4}`, `{1,2..4}`: `{1,2..4}`, `{1..2,-4..-3}`: `{1..2,-4..-3}`, // flags `{+1}`: `{+1}`, `{+-1}`: `{+-1}`, `{s1}`: `{s1}`, `{f1}`: `{f1}`, `{+s1..2}`: `{+s1..2}`, `{+sf1..2}`: `{+sf1..2}`, // III. query type placeholder // query flag is not removed after parsing, so it gets doubled // while the double q is invalid, it is useful here for testing purposes `{q}`: `{qq}`, `{q:1}`: `{qq:1}`, `{q:2..}`: `{qq:2..}`, `{q:..}`: `{qq:..}`, `{q:2..-1}`: `{qq:2..-1}`, `{q:s2..-1}`: `{sqq:2..-1}`, // FIXME // IV. escaping placeholder `\{}`: `{}`, `\{++}`: `{++}`, `{++}`: `{+}`, } for giveTemplate, wantTemplate := range templates { if !placeholder.MatchString(giveTemplate) { t.Errorf(`given placeholder %s does not match placeholder regex, so attempt to parse it is unexpected`, giveTemplate) continue } _, placeholderWithoutFlags, flags := parsePlaceholder(giveTemplate) gotTemplate := placeholderWithoutFlags[:1] + flags.encodePlaceholder() + placeholderWithoutFlags[1:] if gotTemplate != wantTemplate { t.Errorf(`parsed placeholder "%s" into "%s", but want "%s"`, giveTemplate, gotTemplate, wantTemplate) } } } func TestExtractPassthroughs(t *testing.T) { for _, middle := range []string{ "\x1bPtmux;\x1b\x1bbar\x1b\\", "\x1bPtmux;\x1b\x1bbar\x1bbar\x1b\\", "\x1b]1337;bar\x1b\\", "\x1b]1337;bar\x1bbar\x1b\\", "\x1b]1337;bar\a", "\x1b_Ga=T,f=32,s=1258,v=1295,c=74,r=35,m=1\x1b\\", "\x1b_Ga=T,f=32,s=1258,v=1295,c=74,r=35,m=1\x1b\\\r", "\x1b_Ga=T,f=32,s=1258,v=1295,c=74,r=35,m=1\x1bbar\x1b\\\r", "\x1b_Gm=1;AAAAAAAAA=\x1b\\", "\x1b_Gm=1;AAAAAAAAA=\x1b\\\r", "\x1b_Gm=1;\x1bAAAAAAAAA=\x1b\\\r", } { line := "foo" + middle + "baz" loc := findPassThrough(line) if loc == nil || line[0:loc[0]] != "foo" || line[loc[1]:] != "baz" { t.Error("failed to find passthrough") } garbage := "\x1bPtmux;\x1b]1337;\x1b_Ga=\x1b]1337;bar\x1b." line = strings.Repeat("foo"+middle+middle+"baz", 3) + garbage passthroughs, result := extractPassThroughs(line) if result != "foobazfoobazfoobaz"+garbage || len(passthroughs) != 6 { t.Error("failed to extract passthroughs") } } } /* utilities section */ // Item represents one line in fzf UI. Usually it is relative path to files and folders. func newItem(str string) *Item { bytes := []byte(str) trimmed, _, _ := extractColor(str, nil, nil) return &Item{origText: &bytes, text: util.ToChars([]byte(trimmed))} } // Functions tested in this file require array of items (allItems). // This is helper function. func newItems(str ...string) [3][]*Item { result := make([]*Item, len(str)) for i, s := range str { result[i] = newItem(s) } return [3][]*Item{result, nil, nil} } // (for logging purposes) func (item *Item) String() string { return item.AsString(true) } // Helper function to parse, execute and convert "text/template" to string. Panics on error. func templateToString(format string, data any) string { bb := &bytes.Buffer{} err := template.Must(template.New("").Parse(format)).Execute(bb, data) if err != nil { panic(err) } return bb.String() } // ad hoc types for test cases type give struct { template string query string allItems [3][]*Item } type want struct { /* Unix: The `want.output` string is supposed to be formatted for evaluation by `sh -c command` system call. Windows: The `want.output` string is supposed to be formatted for evaluation by `cmd.exe /s /c "command"` system call. The `/s` switch enables so called old behaviour, which is more favourable for nesting (possibly escaped) special characters. This is the relevant section of `help cmd`: ...old behavior is to see if the first character is a quote character and if so, strip the leading character and remove the last quote character on the command line, preserving any text after the last quote character. */ output string // literal output match string // output is matched against this regex (when output is empty string) } type testCase struct { give want } func testCommands(t *testing.T, tests []testCase) { // common test parameters delim := "\t" delimiter := Delimiter{str: &delim} printsep := "" stripAnsi := false forcePlus := false // evaluate the test cases for idx, test := range tests { gotOutput := replacePlaceholderTest( test.template, stripAnsi, delimiter, printsep, forcePlus, test.query, test.allItems) switch { case test.output != "": if gotOutput != test.output { t.Errorf("tests[%v]:\ngave{\n\ttemplate: '%s',\n\tquery: '%s',\n\tallItems: %s}\nand got '%s',\nbut want '%s'", idx, test.template, test.query, test.allItems, gotOutput, test.output) } case test.match != "": wantMatch := strings.ReplaceAll(test.match, `\`, `\\`) wantRegex := regexp.MustCompile(wantMatch) if !wantRegex.MatchString(gotOutput) { t.Errorf("tests[%v]:\ngave{\n\ttemplate: '%s',\n\tquery: '%s',\n\tallItems: %s}\nand got '%s',\nbut want '%s'", idx, test.template, test.query, test.allItems, gotOutput, test.match) } default: t.Errorf("tests[%v]: test case does not describe 'want' property", idx) } } } // naive encoder of placeholder flags func (flags placeholderFlags) encodePlaceholder() string { encoded := "" if flags.plus { encoded += "+" } if flags.preserveSpace { encoded += "s" } if flags.number { encoded += "n" } if flags.file { encoded += "f" } if flags.forceUpdate { // FIXME encoded += "q" } return encoded } // can be replaced with os.ReadFile() in go 1.16+ func readFile(path string) ([]byte, error) { file, err := os.Open(path) if err != nil { return nil, err } defer file.Close() data := make([]byte, 0, 128) for { if len(data) >= cap(data) { d := append(data[:cap(data)], 0) data = d[:len(data)] } n, err := file.Read(data[len(data):cap(data)]) data = data[:len(data)+n] if err != nil { if err == io.EOF { err = nil } return data, err } } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/options_pprof.go
src/options_pprof.go
//go:build pprof // +build pprof package fzf import ( "fmt" "os" "runtime" "runtime/pprof" "github.com/junegunn/fzf/src/util" ) func (o *Options) initProfiling() error { if o.CPUProfile != "" { f, err := os.Create(o.CPUProfile) if err != nil { return fmt.Errorf("could not create CPU profile: %w", err) } if err := pprof.StartCPUProfile(f); err != nil { return fmt.Errorf("could not start CPU profile: %w", err) } util.AtExit(func() { pprof.StopCPUProfile() if err := f.Close(); err != nil { fmt.Fprintln(os.Stderr, "Error: closing cpu profile:", err) } }) } stopProfile := func(name string, f *os.File) { if err := pprof.Lookup(name).WriteTo(f, 0); err != nil { fmt.Fprintf(os.Stderr, "Error: could not write %s profile: %v\n", name, err) } if err := f.Close(); err != nil { fmt.Fprintf(os.Stderr, "Error: closing %s profile: %v\n", name, err) } } if o.MEMProfile != "" { f, err := os.Create(o.MEMProfile) if err != nil { return fmt.Errorf("could not create MEM profile: %w", err) } util.AtExit(func() { runtime.GC() stopProfile("allocs", f) }) } if o.BlockProfile != "" { runtime.SetBlockProfileRate(1) f, err := os.Create(o.BlockProfile) if err != nil { return fmt.Errorf("could not create BLOCK profile: %w", err) } util.AtExit(func() { stopProfile("block", f) }) } if o.MutexProfile != "" { runtime.SetMutexProfileFraction(1) f, err := os.Create(o.MutexProfile) if err != nil { return fmt.Errorf("could not create MUTEX profile: %w", err) } util.AtExit(func() { stopProfile("mutex", f) }) } return nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/history.go
src/history.go
package fzf import ( "errors" "os" "strings" ) // History struct represents input history type History struct { path string lines []string modified map[int]string maxSize int cursor int } // NewHistory returns the pointer to a new History struct func NewHistory(path string, maxSize int) (*History, error) { fmtError := func(e error) error { if os.IsPermission(e) { return errors.New("permission denied: " + path) } return errors.New("invalid history file: " + e.Error()) } // Read history file data, err := os.ReadFile(path) if err != nil { // If it doesn't exist, check if we can create a file with the name if os.IsNotExist(err) { data = []byte{} if err := os.WriteFile(path, data, 0600); err != nil { return nil, fmtError(err) } } else { return nil, fmtError(err) } } // Split lines and limit the maximum number of lines lines := strings.Split(strings.Trim(string(data), "\n"), "\n") if len(lines[len(lines)-1]) > 0 { lines = append(lines, "") } return &History{ path: path, maxSize: maxSize, lines: lines, modified: make(map[int]string), cursor: len(lines) - 1}, nil } func (h *History) append(line string) error { // We don't append empty lines if len(line) == 0 { return nil } lines := append(h.lines[:len(h.lines)-1], line) if len(lines) > h.maxSize { lines = lines[len(lines)-h.maxSize:] } h.lines = append(lines, "") return os.WriteFile(h.path, []byte(strings.Join(h.lines, "\n")), 0600) } func (h *History) override(str string) { // You can update the history, but they're not written to the file if h.cursor == len(h.lines)-1 { h.lines[h.cursor] = str } else if h.cursor < len(h.lines)-1 { h.modified[h.cursor] = str } } func (h *History) current() string { if str, prs := h.modified[h.cursor]; prs { return str } return h.lines[h.cursor] } func (h *History) previous() string { if h.cursor > 0 { h.cursor-- } return h.current() } func (h *History) next() string { if h.cursor < len(h.lines)-1 { h.cursor++ } return h.current() }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/chunklist_test.go
src/chunklist_test.go
package fzf import ( "fmt" "testing" "github.com/junegunn/fzf/src/util" ) func TestChunkList(t *testing.T) { // FIXME global sortCriteria = []criterion{byScore, byLength} cl := NewChunkList(NewChunkCache(), func(item *Item, s []byte) bool { item.text = util.ToChars(s) return true }) // Snapshot snapshot, count, _ := cl.Snapshot(0) if len(snapshot) > 0 || count > 0 { t.Error("Snapshot should be empty now") } // Add some data cl.Push([]byte("hello")) cl.Push([]byte("world")) // Previously created snapshot should remain the same if len(snapshot) > 0 { t.Error("Snapshot should not have changed") } // But the new snapshot should contain the added items snapshot, count, _ = cl.Snapshot(0) if len(snapshot) != 1 && count != 2 { t.Error("Snapshot should not be empty now") } // Check the content of the ChunkList chunk1 := snapshot[0] if chunk1.count != 2 { t.Error("Snapshot should contain only two items") } if chunk1.items[0].text.ToString() != "hello" || chunk1.items[1].text.ToString() != "world" { t.Error("Invalid data") } if chunk1.IsFull() { t.Error("Chunk should not have been marked full yet") } // Add more data for i := range chunkSize * 2 { cl.Push(fmt.Appendf(nil, "item %d", i)) } // Previous snapshot should remain the same if len(snapshot) != 1 { t.Error("Snapshot should stay the same") } // New snapshot snapshot, count, _ = cl.Snapshot(0) if len(snapshot) != 3 || !snapshot[0].IsFull() || !snapshot[1].IsFull() || snapshot[2].IsFull() || count != chunkSize*2+2 { t.Error("Expected two full chunks and one more chunk") } if snapshot[2].count != 2 { t.Error("Unexpected number of items") } cl.Push([]byte("hello")) cl.Push([]byte("world")) lastChunkCount := snapshot[len(snapshot)-1].count if lastChunkCount != 2 { t.Error("Unexpected number of items:", lastChunkCount) } } func TestChunkListTail(t *testing.T) { cl := NewChunkList(NewChunkCache(), func(item *Item, s []byte) bool { item.text = util.ToChars(s) return true }) total := chunkSize*2 + chunkSize/2 for i := range total { cl.Push(fmt.Appendf(nil, "item %d", i)) } snapshot, count, changed := cl.Snapshot(0) assertCount := func(expected int, shouldChange bool) { if count != expected || CountItems(snapshot) != expected { t.Errorf("Unexpected count: %d (expected: %d)", count, expected) } if changed != shouldChange { t.Error("Unexpected change status") } } assertCount(total, false) tail := chunkSize + chunkSize/2 snapshot, count, changed = cl.Snapshot(tail) assertCount(tail, true) snapshot, count, changed = cl.Snapshot(tail) assertCount(tail, false) snapshot, count, changed = cl.Snapshot(0) assertCount(tail, false) tail = chunkSize / 2 snapshot, count, changed = cl.Snapshot(tail) assertCount(tail, true) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/result_x86.go
src/result_x86.go
//go:build 386 || amd64 package fzf import "unsafe" func compareRanks(irank Result, jrank Result, tac bool) bool { left := *(*uint64)(unsafe.Pointer(&irank.points[0])) right := *(*uint64)(unsafe.Pointer(&jrank.points[0])) if left < right { return true } else if left > right { return false } return (irank.item.Index() <= jrank.item.Index()) != tac }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/tokenizer_test.go
src/tokenizer_test.go
package fzf import ( "testing" ) func TestParseRange(t *testing.T) { { i := ".." r, _ := ParseRange(&i) if r.begin != rangeEllipsis || r.end != rangeEllipsis { t.Errorf("%v", r) } } { i := "3.." r, _ := ParseRange(&i) if r.begin != 3 || r.end != rangeEllipsis { t.Errorf("%v", r) } } { i := "3..5" r, _ := ParseRange(&i) if r.begin != 3 || r.end != 5 { t.Errorf("%v", r) } } { i := "-3..-5" r, _ := ParseRange(&i) if r.begin != -3 || r.end != -5 { t.Errorf("%v", r) } } { i := "3" r, _ := ParseRange(&i) if r.begin != 3 || r.end != 3 { t.Errorf("%v", r) } } { i := "1..3..5" if r, ok := ParseRange(&i); ok { t.Errorf("%v", r) } } { i := "-3..3" if r, ok := ParseRange(&i); ok { t.Errorf("%v", r) } } } func TestTokenize(t *testing.T) { // AWK-style input := " abc: def: ghi " tokens := Tokenize(input, Delimiter{}) if tokens[0].text.ToString() != "abc: " || tokens[0].prefixLength != 2 { t.Errorf("%s", tokens) } // With delimiter tokens = Tokenize(input, delimiterRegexp(":")) if tokens[0].text.ToString() != " abc:" || tokens[0].prefixLength != 0 { t.Error(tokens[0].text.ToString(), tokens[0].prefixLength) } // With delimiter regex tokens = Tokenize(input, delimiterRegexp("\\s+")) if tokens[0].text.ToString() != " " || tokens[0].prefixLength != 0 || tokens[1].text.ToString() != "abc: " || tokens[1].prefixLength != 2 || tokens[2].text.ToString() != "def: " || tokens[2].prefixLength != 8 || tokens[3].text.ToString() != "ghi " || tokens[3].prefixLength != 14 { t.Errorf("%s", tokens) } } func TestTransform(t *testing.T) { input := " abc: def: ghi: jkl" { tokens := Tokenize(input, Delimiter{}) { ranges, _ := splitNth("1,2,3") tx := Transform(tokens, ranges) if JoinTokens(tx) != "abc: def: ghi: " { t.Errorf("%s", tx) } } { ranges, _ := splitNth("1..2,3,2..,1") tx := Transform(tokens, ranges) if string(JoinTokens(tx)) != "abc: def: ghi: def: ghi: jklabc: " || len(tx) != 4 || tx[0].text.ToString() != "abc: def: " || tx[0].prefixLength != 2 || tx[1].text.ToString() != "ghi: " || tx[1].prefixLength != 14 || tx[2].text.ToString() != "def: ghi: jkl" || tx[2].prefixLength != 8 || tx[3].text.ToString() != "abc: " || tx[3].prefixLength != 2 { t.Errorf("%s", tx) } } } { tokens := Tokenize(input, delimiterRegexp(":")) { ranges, _ := splitNth("1..2,3,2..,1") tx := Transform(tokens, ranges) if JoinTokens(tx) != " abc: def: ghi: def: ghi: jkl abc:" || len(tx) != 4 || tx[0].text.ToString() != " abc: def:" || tx[0].prefixLength != 0 || tx[1].text.ToString() != " ghi:" || tx[1].prefixLength != 12 || tx[2].text.ToString() != " def: ghi: jkl" || tx[2].prefixLength != 6 || tx[3].text.ToString() != " abc:" || tx[3].prefixLength != 0 { t.Errorf("%s", tx) } } } } func TestTransformIndexOutOfBounds(t *testing.T) { s, _ := splitNth("1") Transform([]Token{}, s) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/server.go
src/server.go
package fzf import ( "bufio" "bytes" "crypto/subtle" "errors" "fmt" "net" "os" "regexp" "strconv" "strings" "time" ) var getRegex *regexp.Regexp func init() { getRegex = regexp.MustCompile(`^GET /(?:\?([a-z0-9=&]+))? HTTP`) } type getParams struct { limit int offset int } const ( crlf = "\r\n" httpOk = "HTTP/1.1 200 OK" + crlf httpBadRequest = "HTTP/1.1 400 Bad Request" + crlf httpUnauthorized = "HTTP/1.1 401 Unauthorized" + crlf httpUnavailable = "HTTP/1.1 503 Service Unavailable" + crlf httpReadTimeout = 10 * time.Second channelTimeout = 2 * time.Second jsonContentType = "Content-Type: application/json" + crlf maxContentLength = 1024 * 1024 ) type httpServer struct { apiKey []byte actionChannel chan []*action getHandler func(getParams) string } type listenAddress struct { host string port int sock string } func (addr listenAddress) IsLocal() bool { return addr.host == "localhost" || addr.host == "127.0.0.1" || len(addr.sock) > 0 } var defaultListenAddr = listenAddress{"localhost", 0, ""} func parseListenAddress(address string) (listenAddress, error) { if strings.HasSuffix(address, ".sock") { return listenAddress{"", 0, address}, nil } parts := strings.SplitN(address, ":", 3) if len(parts) == 1 { parts = []string{"localhost", parts[0]} } if len(parts) != 2 { return defaultListenAddr, fmt.Errorf("invalid listen address: %s", address) } portStr := parts[len(parts)-1] port, err := strconv.Atoi(portStr) if err != nil || port < 0 || port > 65535 { return defaultListenAddr, fmt.Errorf("invalid listen port: %s", portStr) } if len(parts[0]) == 0 { parts[0] = "localhost" } return listenAddress{parts[0], port, ""}, nil } func startHttpServer(address listenAddress, actionChannel chan []*action, getHandler func(getParams) string) (net.Listener, int, error) { host := address.host port := address.port apiKey := os.Getenv("FZF_API_KEY") if !address.IsLocal() && len(apiKey) == 0 { return nil, port, errors.New("FZF_API_KEY is required to allow remote access") } var listener net.Listener var err error if len(address.sock) > 0 { if _, err := os.Stat(address.sock); err == nil { // Check if the socket is already in use if conn, err := net.Dial("unix", address.sock); err == nil { conn.Close() return nil, 0, fmt.Errorf("socket already in use: %s", address.sock) } os.Remove(address.sock) } listener, err = net.Listen("unix", address.sock) if err != nil { return nil, 0, fmt.Errorf("failed to listen on %s", address.sock) } os.Chmod(address.sock, 0600) } else { addrStr := fmt.Sprintf("%s:%d", host, port) listener, err = net.Listen("tcp", addrStr) if err != nil { return nil, port, fmt.Errorf("failed to listen on %s", addrStr) } if port == 0 { addr := listener.Addr().String() parts := strings.Split(addr, ":") if len(parts) < 2 { return nil, port, fmt.Errorf("cannot extract port: %s", addr) } var err error port, err = strconv.Atoi(parts[len(parts)-1]) if err != nil { return nil, port, err } } } server := httpServer{ apiKey: []byte(apiKey), actionChannel: actionChannel, getHandler: getHandler, } go func() { for { conn, err := listener.Accept() if err != nil { if errors.Is(err, net.ErrClosed) { return } continue } conn.Write([]byte(server.handleHttpRequest(conn))) conn.Close() } }() return listener, port, nil } // Here we are writing a simplistic HTTP server without using net/http // package to reduce the size of the binary. // // * No --listen: 2.8MB // * --listen with net/http: 5.7MB // * --listen w/o net/http: 3.3MB func (server *httpServer) handleHttpRequest(conn net.Conn) string { contentLength := 0 apiKey := "" body := "" answer := func(code string, message string) string { message += "\n" return code + fmt.Sprintf("Content-Length: %d%s", len(message), crlf+crlf+message) } unauthorized := func(message string) string { return answer(httpUnauthorized, message) } bad := func(message string) string { return answer(httpBadRequest, message) } good := func(message string) string { return answer(httpOk+jsonContentType, message) } conn.SetReadDeadline(time.Now().Add(httpReadTimeout)) scanner := bufio.NewScanner(conn) scanner.Split(func(data []byte, atEOF bool) (int, []byte, error) { found := bytes.Index(data, []byte(crlf)) if found >= 0 { token := data[:found+len(crlf)] return len(token), token, nil } if atEOF || len(body)+len(data) >= contentLength { return 0, data, bufio.ErrFinalToken } return 0, nil, nil }) section := 0 for scanner.Scan() { text := scanner.Text() switch section { case 0: getMatch := getRegex.FindStringSubmatch(text) if len(getMatch) > 0 { response := server.getHandler(parseGetParams(getMatch[1])) if len(response) > 0 { return good(response) } return answer(httpUnavailable+jsonContentType, `{"error":"timeout"}`) } else if !strings.HasPrefix(text, "POST / HTTP") { return bad("invalid request method") } section++ case 1: if text == crlf { if contentLength == 0 { return bad("content-length header missing") } section++ continue } pair := strings.SplitN(text, ":", 2) if len(pair) == 2 { switch strings.ToLower(pair[0]) { case "content-length": length, err := strconv.Atoi(strings.TrimSpace(pair[1])) if err != nil || length <= 0 || length > maxContentLength { return bad("invalid content length") } contentLength = length case "x-api-key": apiKey = strings.TrimSpace(pair[1]) } } case 2: body += text } } if len(server.apiKey) != 0 && subtle.ConstantTimeCompare([]byte(apiKey), server.apiKey) != 1 { return unauthorized("invalid api key") } if len(body) < contentLength { return bad("incomplete request") } body = body[:contentLength] actions, err := parseSingleActionList(strings.Trim(string(body), "\r\n")) if err != nil { return bad(err.Error()) } if len(actions) == 0 { return bad("no action specified") } select { case server.actionChannel <- actions: case <-time.After(channelTimeout): return httpUnavailable + crlf } return httpOk + crlf } func parseGetParams(query string) getParams { params := getParams{limit: 100, offset: 0} for _, pair := range strings.Split(query, "&") { parts := strings.SplitN(pair, "=", 2) if len(parts) == 2 { switch parts[0] { case "limit", "offset": if val, err := strconv.Atoi(parts[1]); err == nil { if parts[0] == "limit" { params.limit = val } else { params.offset = val } } } } } return params }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/result_others.go
src/result_others.go
//go:build !386 && !amd64 package fzf func compareRanks(irank Result, jrank Result, tac bool) bool { for idx := 3; idx >= 0; idx-- { left := irank.points[idx] right := jrank.points[idx] if left < right { return true } else if left > right { return false } } return (irank.item.Index() <= jrank.item.Index()) != tac }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/options_test.go
src/options_test.go
package fzf import ( "fmt" "os" "testing" "github.com/junegunn/fzf/src/tui" ) func TestDelimiterRegex(t *testing.T) { // Valid regex, but a single character -> string delim := delimiterRegexp(".") if delim.regex != nil || *delim.str != "." { t.Error(delim) } delim = delimiterRegexp("|") if delim.regex != nil || *delim.str != "|" { t.Error(delim) } // Broken regex -> string delim = delimiterRegexp("[0-9") if delim.regex != nil || *delim.str != "[0-9" { t.Error(delim) } // Valid regex delim = delimiterRegexp("[0-9]") if delim.regex.String() != "[0-9]" || delim.str != nil { t.Error(delim) } // Tab character delim = delimiterRegexp("\t") if delim.regex != nil || *delim.str != "\t" { t.Error(delim) } // Tab expression delim = delimiterRegexp("\\t") if delim.regex != nil || *delim.str != "\t" { t.Error(delim) } // Tabs -> regex delim = delimiterRegexp("\t+") if delim.regex == nil || delim.str != nil { t.Error(delim) } } func TestDelimiterRegexString(t *testing.T) { delim := delimiterRegexp("*") tokens := Tokenize("-*--*---**---", delim) if delim.regex != nil || tokens[0].text.ToString() != "-*" || tokens[1].text.ToString() != "--*" || tokens[2].text.ToString() != "---*" || tokens[3].text.ToString() != "*" || tokens[4].text.ToString() != "---" { t.Errorf("%s %v %d", delim, tokens, len(tokens)) } } func TestDelimiterRegexRegex(t *testing.T) { delim := delimiterRegexp("--\\*") tokens := Tokenize("-*--*---**---", delim) if delim.str != nil || tokens[0].text.ToString() != "-*--*" || tokens[1].text.ToString() != "---*" || tokens[2].text.ToString() != "*---" { t.Errorf("%s %d", tokens, len(tokens)) } } func TestDelimiterRegexRegexCaret(t *testing.T) { delim := delimiterRegexp(`(^\s*|\s+)`) tokens := Tokenize("foo bar baz", delim) if delim.str != nil || len(tokens) != 4 || tokens[0].text.ToString() != "" || tokens[1].text.ToString() != "foo " || tokens[2].text.ToString() != "bar " || tokens[3].text.ToString() != "baz" { t.Errorf("%s %d", tokens, len(tokens)) } } func TestSplitNth(t *testing.T) { { ranges, _ := splitNth("..") if len(ranges) != 1 || ranges[0].begin != rangeEllipsis || ranges[0].end != rangeEllipsis { t.Errorf("%v", ranges) } } { ranges, _ := splitNth("..3,1..,2..3,4..-1,-3..-2,..,2,-2,2..-2,1..-1") if len(ranges) != 10 || ranges[0].begin != rangeEllipsis || ranges[0].end != 3 || ranges[1].begin != rangeEllipsis || ranges[1].end != rangeEllipsis || ranges[2].begin != 2 || ranges[2].end != 3 || ranges[3].begin != 4 || ranges[3].end != rangeEllipsis || ranges[4].begin != -3 || ranges[4].end != -2 || ranges[5].begin != rangeEllipsis || ranges[5].end != rangeEllipsis || ranges[6].begin != 2 || ranges[6].end != 2 || ranges[7].begin != -2 || ranges[7].end != -2 || ranges[8].begin != 2 || ranges[8].end != -2 || ranges[9].begin != rangeEllipsis || ranges[9].end != rangeEllipsis { t.Errorf("%v", ranges) } } } func TestIrrelevantNth(t *testing.T) { index := 0 { opts := defaultOptions() words := []string{"--nth", "..", "-x"} parseOptions(&index, opts, words) postProcessOptions(opts) if len(opts.Nth) != 0 { t.Errorf("nth should be empty: %v", opts.Nth) } } for _, words := range [][]string{{"--nth", "..,3", "+x"}, {"--nth", "3,1..", "+x"}, {"--nth", "..-1,1", "+x"}} { { opts := defaultOptions() parseOptions(&index, opts, words) postProcessOptions(opts) if len(opts.Nth) != 0 { t.Errorf("nth should be empty: %v", opts.Nth) } } { opts := defaultOptions() words = append(words, "-x") parseOptions(&index, opts, words) postProcessOptions(opts) if len(opts.Nth) != 2 { t.Errorf("nth should not be empty: %v", opts.Nth) } } } } func TestParseKeys(t *testing.T) { pairs, _, _ := parseKeyChords("ctrl-z,alt-z,f2,@,Alt-a,!,ctrl-G,J,g,ctrl-alt-a,ALT-enter,alt-SPACE", "") checkEvent := func(e tui.Event, s string) { if pairs[e] != s { t.Errorf("%s != %s", pairs[e], s) } } check := func(et tui.EventType, s string) { checkEvent(et.AsEvent(), s) } if len(pairs) != 12 { t.Error(12) } check(tui.CtrlZ, "ctrl-z") check(tui.F2, "f2") check(tui.CtrlG, "ctrl-G") checkEvent(tui.AltKey('z'), "alt-z") checkEvent(tui.Key('@'), "@") checkEvent(tui.AltKey('a'), "Alt-a") checkEvent(tui.Key('!'), "!") checkEvent(tui.Key('J'), "J") checkEvent(tui.Key('g'), "g") checkEvent(tui.CtrlAltKey('a'), "ctrl-alt-a") checkEvent(tui.CtrlAltKey('m'), "ALT-enter") checkEvent(tui.AltKey(' '), "alt-SPACE") // Synonyms pairs, _, _ = parseKeyChords("enter,Return,space,tab,btab,esc,up,down,left,right", "") if len(pairs) != 9 { t.Error(9) } check(tui.Enter, "Return") checkEvent(tui.Key(' '), "space") check(tui.Tab, "tab") check(tui.ShiftTab, "btab") check(tui.Esc, "esc") check(tui.Up, "up") check(tui.Down, "down") check(tui.Left, "left") check(tui.Right, "right") pairs, _, _ = parseKeyChords("Tab,Ctrl-I,PgUp,page-up,pgdn,Page-Down,Home,End,Alt-BS,Alt-BSpace,shift-left,shift-right,btab,shift-tab,return,Enter,bspace", "") if len(pairs) != 11 { t.Error(11) } check(tui.Tab, "Ctrl-I") check(tui.PageUp, "page-up") check(tui.PageDown, "Page-Down") check(tui.Home, "Home") check(tui.End, "End") check(tui.AltBackspace, "Alt-BSpace") check(tui.ShiftLeft, "shift-left") check(tui.ShiftRight, "shift-right") check(tui.ShiftTab, "shift-tab") check(tui.Enter, "Enter") check(tui.Backspace, "bspace") } func TestParseKeysWithComma(t *testing.T) { checkN := func(a int, b int) { if a != b { t.Errorf("%d != %d", a, b) } } check := func(pairs map[tui.Event]string, e tui.Event, s string) { if pairs[e] != s { t.Errorf("%s != %s", pairs[e], s) } } pairs, _, _ := parseKeyChords(",", "") checkN(len(pairs), 1) check(pairs, tui.Key(','), ",") pairs, _, _ = parseKeyChords(",,a,b", "") checkN(len(pairs), 3) check(pairs, tui.Key('a'), "a") check(pairs, tui.Key('b'), "b") check(pairs, tui.Key(','), ",") pairs, _, _ = parseKeyChords("a,b,,", "") checkN(len(pairs), 3) check(pairs, tui.Key('a'), "a") check(pairs, tui.Key('b'), "b") check(pairs, tui.Key(','), ",") pairs, _, _ = parseKeyChords("a,,,b", "") checkN(len(pairs), 3) check(pairs, tui.Key('a'), "a") check(pairs, tui.Key('b'), "b") check(pairs, tui.Key(','), ",") pairs, _, _ = parseKeyChords("a,,,b,c", "") checkN(len(pairs), 4) check(pairs, tui.Key('a'), "a") check(pairs, tui.Key('b'), "b") check(pairs, tui.Key('c'), "c") check(pairs, tui.Key(','), ",") pairs, _, _ = parseKeyChords(",,,", "") checkN(len(pairs), 1) check(pairs, tui.Key(','), ",") pairs, _, _ = parseKeyChords(",ALT-,,", "") checkN(len(pairs), 1) check(pairs, tui.AltKey(','), "ALT-,") } func TestBind(t *testing.T) { keymap := defaultKeymap() check := func(event tui.Event, arg1 string, types ...actionType) { if len(keymap[event]) != len(types) { t.Errorf("invalid number of actions for %v (%d != %d)", event, len(types), len(keymap[event])) return } for idx, action := range keymap[event] { if types[idx] != action.t { t.Errorf("invalid action type (%d != %d)", types[idx], action.t) } } if len(arg1) > 0 && keymap[event][0].a != arg1 { t.Errorf("invalid action argument: (%s != %s)", arg1, keymap[event][0].a) } } check(tui.CtrlA.AsEvent(), "", actBeginningOfLine) parseKeymap(keymap, "ctrl-a:kill-line,ctrl-b:toggle-sort+up+down,c:page-up,alt-z:page-down,"+ "f1:execute(ls {+})+abort+execute(echo \n{+})+select-all,f2:execute/echo {}, {}, {}/,f3:execute[echo '({})'],f4:execute;less {};,"+ "alt-a:execute-Multi@echo (,),[,],/,:,;,%,{}@,alt-b:execute;echo (,),[,],/,:,@,%,{};,"+ "x:Execute(foo+bar),X:execute/bar+baz/"+ ",f1:+first,f1:+top"+ ",,:abort,::accept,+:execute:++\nfoobar,Y:execute(baz)+up") check(tui.CtrlA.AsEvent(), "", actKillLine) check(tui.CtrlB.AsEvent(), "", actToggleSort, actUp, actDown) check(tui.Key('c'), "", actPageUp) check(tui.Key(','), "", actAbort) check(tui.Key(':'), "", actAccept) check(tui.AltKey('z'), "", actPageDown) check(tui.F1.AsEvent(), "ls {+}", actExecute, actAbort, actExecute, actSelectAll, actFirst, actFirst) check(tui.F2.AsEvent(), "echo {}, {}, {}", actExecute) check(tui.F3.AsEvent(), "echo '({})'", actExecute) check(tui.F4.AsEvent(), "less {}", actExecute) check(tui.Key('x'), "foo+bar", actExecute) check(tui.Key('X'), "bar+baz", actExecute) check(tui.AltKey('a'), "echo (,),[,],/,:,;,%,{}", actExecuteMulti) check(tui.AltKey('b'), "echo (,),[,],/,:,@,%,{}", actExecute) check(tui.Key('+'), "++\nfoobar,Y:execute(baz)+up", actExecute) for idx, char := range []rune{'~', '!', '@', '#', '$', '%', '^', '&', '*', '|', ';', '/'} { parseKeymap(keymap, fmt.Sprintf("%d:execute%cfoobar%c", idx%10, char, char)) check(tui.Key([]rune(fmt.Sprintf("%d", idx%10))[0]), "foobar", actExecute) } parseKeymap(keymap, "f1:abort") check(tui.F1.AsEvent(), "", actAbort) } func TestColorSpec(t *testing.T) { var base *tui.ColorTheme theme := tui.Dark256 base, dark, _ := parseTheme(theme, "dark") if *dark != *base { t.Errorf("incorrect base theme returned") } if *dark != *theme { t.Errorf("colors should be equivalent") } if dark == theme { t.Errorf("point should not be equivalent") } base, light, _ := parseTheme(theme, "dark,light") if *light != *base { t.Errorf("incorrect base theme returned") } if *light == *theme { t.Errorf("should not be equivalent") } if *light != *tui.Light256 { t.Errorf("colors should be equivalent") } if light == theme { t.Errorf("point should not be equivalent") } _, customized, _ := parseTheme(theme, "fg:231,bg:232") if customized.Fg.Color != 231 || customized.Bg.Color != 232 { t.Errorf("color not customized") } if *tui.Dark256 == *customized { t.Errorf("colors should not be equivalent") } customized.Fg = tui.Dark256.Fg customized.Bg = tui.Dark256.Bg if *tui.Dark256 != *customized { t.Errorf("colors should now be equivalent: %v, %v", tui.Dark256, customized) } _, customized, _ = parseTheme(theme, "fg:231,dark bg:232") if customized.Fg != tui.Dark256.Fg || customized.Bg == tui.Dark256.Bg { t.Errorf("color not customized") } } func TestDefaultCtrlNP(t *testing.T) { index := 0 check := func(words []string, et tui.EventType, expected actionType) { e := et.AsEvent() opts := defaultOptions() parseOptions(&index, opts, words) postProcessOptions(opts) if opts.Keymap[e][0].t != expected { t.Error() } } check([]string{}, tui.CtrlN, actDownMatch) check([]string{}, tui.CtrlP, actUpMatch) check([]string{"--bind=ctrl-n:accept"}, tui.CtrlN, actAccept) check([]string{"--bind=ctrl-p:accept"}, tui.CtrlP, actAccept) f, _ := os.CreateTemp("", "fzf-history") f.Close() hist := "--history=" + f.Name() check([]string{hist}, tui.CtrlN, actNextHistory) check([]string{hist}, tui.CtrlP, actPrevHistory) check([]string{hist, "--bind=ctrl-n:accept"}, tui.CtrlN, actAccept) check([]string{hist, "--bind=ctrl-n:accept"}, tui.CtrlP, actPrevHistory) check([]string{hist, "--bind=ctrl-p:accept"}, tui.CtrlN, actNextHistory) check([]string{hist, "--bind=ctrl-p:accept"}, tui.CtrlP, actAccept) } func optsFor(words ...string) *Options { index := 0 opts := defaultOptions() parseOptions(&index, opts, words) postProcessOptions(opts) return opts } func TestToggle(t *testing.T) { opts := optsFor() if opts.ToggleSort { t.Error() } opts = optsFor("--bind=a:toggle-sort") if !opts.ToggleSort { t.Error() } opts = optsFor("--bind=a:toggle-sort", "--bind=a:up") if opts.ToggleSort { t.Error() } } func TestPreviewOpts(t *testing.T) { opts := optsFor() if !(opts.Preview.command == "" && opts.Preview.hidden == false && opts.Preview.wrap == false && opts.Preview.position == posRight && opts.Preview.size.percent == true && opts.Preview.size.size == 50) { t.Error() } opts = optsFor("--preview", "cat {}", "--preview-window=left:15,hidden,wrap:+{1}-/2") if !(opts.Preview.command == "cat {}" && opts.Preview.hidden == true && opts.Preview.wrap == true && opts.Preview.position == posLeft && opts.Preview.scroll == "+{1}-/2" && opts.Preview.size.percent == false && opts.Preview.size.size == 15) { t.Error(opts.Preview) } opts = optsFor("--preview-window=up,15,wrap,hidden,+{1}+3-1-2/2", "--preview-window=down", "--preview-window=cycle") if !(opts.Preview.command == "" && opts.Preview.hidden == true && opts.Preview.wrap == true && opts.Preview.cycle == true && opts.Preview.position == posDown && opts.Preview.scroll == "+{1}+3-1-2/2" && opts.Preview.size.percent == false && opts.Preview.size.size == 15) { t.Error(opts.Preview.size.size) } opts = optsFor("--preview-window=up:15:wrap:hidden") if !(opts.Preview.command == "" && opts.Preview.hidden == true && opts.Preview.wrap == true && opts.Preview.position == posUp && opts.Preview.size.percent == false && opts.Preview.size.size == 15) { t.Error(opts.Preview) } opts = optsFor("--preview=foo", "--preview-window=up", "--preview-window=default:70%") if !(opts.Preview.command == "foo" && opts.Preview.position == posRight && opts.Preview.size.percent == true && opts.Preview.size.size == 70) { t.Error(opts.Preview) } } func TestAdditiveExpect(t *testing.T) { opts := optsFor("--expect=a", "--expect", "b", "--expect=c") if len(opts.Expect) != 3 { t.Error(opts.Expect) } } func TestValidateSign(t *testing.T) { testCases := []struct { inputSign string isValid bool }{ {"> ", true}, {"아", true}, {"😀", true}, {">>>", false}, } for _, testCase := range testCases { err := validateSign(testCase.inputSign, "", 2) if testCase.isValid && err != nil { t.Errorf("Input sign `%s` caused error", testCase.inputSign) } if !testCase.isValid && err == nil { t.Errorf("Input sign `%s` did not cause error", testCase.inputSign) } } } func TestParseSingleActionList(t *testing.T) { actions, _ := parseSingleActionList("Execute@foo+bar,baz@+up+up+reload:down+down") if len(actions) != 4 { t.Errorf("Invalid number of actions parsed:%d", len(actions)) } if actions[0].t != actExecute || actions[0].a != "foo+bar,baz" { t.Errorf("Invalid action parsed: %v", actions[0]) } if actions[1].t != actUp || actions[2].t != actUp { t.Errorf("Invalid action parsed: %v / %v", actions[1], actions[2]) } if actions[3].t != actReload || actions[3].a != "down+down" { t.Errorf("Invalid action parsed: %v", actions[3]) } } func TestParseSingleActionListError(t *testing.T) { _, err := parseSingleActionList("change-query(foobar)baz") if err == nil { t.Errorf("Failed to detect error") } } func TestMaskActionContents(t *testing.T) { original := ":execute((f)(o)(o)(b)(a)(r))+change-query@qu@ry@+up,x:reload:hello:world" expected := ":execute +change-query +up,x:reload " masked := maskActionContents(original) if masked != expected { t.Errorf("Not masked: %s", masked) } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/tmux.go
src/tmux.go
package fzf import ( "os" "os/exec" "github.com/junegunn/fzf/src/tui" ) func runTmux(args []string, opts *Options) (int, error) { // Prepare arguments fzf, rest := args[0], args[1:] args = []string{"--bind=ctrl-z:ignore"} if !opts.Tmux.border && (opts.BorderShape == tui.BorderUndefined || opts.BorderShape == tui.BorderLine) { // We append --border option at the end, because `--style=full:STYLE` // may have changed the default border style. if tui.DefaultBorderShape == tui.BorderRounded { rest = append(rest, "--border=rounded") } else { rest = append(rest, "--border=sharp") } } if opts.Tmux.border && opts.Margin == defaultMargin() { args = append(args, "--margin=0,1") } argStr := escapeSingleQuote(fzf) for _, arg := range append(args, rest...) { argStr += " " + escapeSingleQuote(arg) } argStr += ` --no-tmux --no-height` // Get current directory dir, err := os.Getwd() if err != nil { dir = "." } // Set tmux options for popup placement // C Both The centre of the terminal // R -x The right side of the terminal // P Both The bottom left of the pane // M Both The mouse position // W Both The window position on the status line // S -y The line above or below the status line tmuxArgs := []string{"display-popup", "-E", "-d", dir} if !opts.Tmux.border { tmuxArgs = append(tmuxArgs, "-B") } switch opts.Tmux.position { case posUp: tmuxArgs = append(tmuxArgs, "-xC", "-y0") case posDown: tmuxArgs = append(tmuxArgs, "-xC", "-y9999") case posLeft: tmuxArgs = append(tmuxArgs, "-x0", "-yC") case posRight: tmuxArgs = append(tmuxArgs, "-xR", "-yC") case posCenter: tmuxArgs = append(tmuxArgs, "-xC", "-yC") } tmuxArgs = append(tmuxArgs, "-w"+opts.Tmux.width.String()) tmuxArgs = append(tmuxArgs, "-h"+opts.Tmux.height.String()) return runProxy(argStr, func(temp string, needBash bool) (*exec.Cmd, error) { sh, err := sh(needBash) if err != nil { return nil, err } tmuxArgs = append(tmuxArgs, sh, temp) return exec.Command("tmux", tmuxArgs...), nil }, opts, true) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/options.go
src/options.go
package fzf import ( "errors" "fmt" "maps" "os" "regexp" "strconv" "strings" "unicode" "github.com/junegunn/fzf/src/algo" "github.com/junegunn/fzf/src/tui" "github.com/junegunn/fzf/src/util" "github.com/junegunn/go-shellwords" "github.com/rivo/uniseg" ) const Usage = `fzf is an interactive filter program for any kind of list. It implements a "fuzzy" matching algorithm, so you can quickly type in patterns with omitted characters and still get the results you want. Project URL: https://github.com/junegunn/fzf Author: Junegunn Choi <junegunn.c@gmail.com> * See man page for more information: fzf --man Usage: fzf [options] SEARCH -e, --exact Enable exact-match +x, --no-extended Disable extended-search mode -i, --ignore-case Case-insensitive match +i, --no-ignore-case Case-sensitive match --smart-case Smart-case match (default) --scheme=SCHEME Scoring scheme [default|path|history] -n, --nth=N[,..] Comma-separated list of field index expressions for limiting search scope. Each can be a non-zero integer or a range expression ([BEGIN]..[END]). --with-nth=N[,..] Transform the presentation of each line using field index expressions --accept-nth=N[,..] Define which fields to print on accept -d, --delimiter=STR Field delimiter regex (default: AWK-style) +s, --no-sort Do not sort the result --literal Do not normalize latin script letters --tail=NUM Maximum number of items to keep in memory --disabled Do not perform search --tiebreak=CRI[,..] Comma-separated list of sort criteria to apply when the scores are tied [length|chunk|pathname|begin|end|index] (default: length) INPUT/OUTPUT --read0 Read input delimited by ASCII NUL characters --print0 Print output delimited by ASCII NUL characters --ansi Enable processing of ANSI color codes --sync Synchronous search for multi-staged filtering GLOBAL STYLE --style=PRESET Apply a style preset [default|minimal|full[:BORDER_STYLE] --color=COLSPEC Base scheme (dark|light|base16|bw) and/or custom colors --no-color Disable colors --no-bold Do not use bold text DISPLAY MODE --height=[~]HEIGHT[%] Display fzf window below the cursor with the given height instead of using fullscreen. A negative value is calculated as the terminal height minus the given value. If prefixed with '~', fzf will determine the height according to the input size. --min-height=HEIGHT[+] Minimum height when --height is given as a percentage. Add '+' to automatically increase the value according to the other layout options (default: 10+). --tmux[=OPTS] Start fzf in a tmux popup (requires tmux 3.3+) [center|top|bottom|left|right][,SIZE[%]][,SIZE[%]] [,border-native] (default: center,50%) LAYOUT --layout=LAYOUT Choose layout: [default|reverse|reverse-list] --margin=MARGIN Screen margin (TRBL | TB,RL | T,RL,B | T,R,B,L) --padding=PADDING Padding inside border (TRBL | TB,RL | T,RL,B | T,R,B,L) --border[=STYLE] Draw border around the finder [rounded|sharp|bold|block|thinblock|double|horizontal|vertical| top|bottom|left|right|line|none] (default: rounded) --border-label=LABEL Label to print on the border --border-label-pos=COL Position of the border label [POSITIVE_INTEGER: columns from left| NEGATIVE_INTEGER: columns from right][:bottom] (default: 0 or center) LIST SECTION -m, --multi[=MAX] Enable multi-select with tab/shift-tab --highlight-line Highlight the whole current line --cycle Enable cyclic scroll --wrap Enable line wrap --wrap-sign=STR Indicator for wrapped lines --no-multi-line Disable multi-line display of items when using --read0 --raw Enable raw mode (show non-matching items) --track Track the current selection when the result is updated --tac Reverse the order of the input --gap[=N] Render empty lines between each item --gap-line[=STR] Draw horizontal line on each gap using the string (default: '┈' or '-') --freeze-left=N Number of fields to freeze on the left --freeze-right=N Number of fields to freeze on the right --keep-right Keep the right end of the line visible on overflow --scroll-off=LINES Number of screen lines to keep above or below when scrolling to the top or to the bottom (default: 0) --no-hscroll Disable horizontal scroll --hscroll-off=COLS Number of screen columns to keep to the right of the highlighted substring (default: 10) --jump-labels=CHARS Label characters for jump mode --gutter=CHAR Character used for the gutter column (default: '▌') --gutter-raw=CHAR Character used for the gutter column in raw mode (default: '▖') --pointer=STR Pointer to the current line (default: '▌' or '>') --marker=STR Multi-select marker (default: '┃' or '>') --marker-multi-line=STR Multi-select marker for multi-line entries; 3 elements for top, middle, and bottom (default: '╻┃╹') --ellipsis=STR Ellipsis to show when line is truncated (default: '··') --tabstop=SPACES Number of spaces for a tab character (default: 8) --scrollbar[=C1[C2]] Scrollbar character(s) (each for list section and preview window) --no-scrollbar Hide scrollbar --list-border[=STYLE] Draw border around the list section [rounded|sharp|bold|block|thinblock|double|horizontal|vertical| top|bottom|left|right|none] (default: rounded) --list-label=LABEL Label to print on the list border --list-label-pos=COL Position of the list label [POSITIVE_INTEGER: columns from left| NEGATIVE_INTEGER: columns from right][:bottom] (default: 0 or center) INPUT SECTION --no-input Disable and hide the input section --prompt=STR Input prompt (default: '> ') --info=STYLE Finder info style [default|right|hidden|inline[-right][:PREFIX]] --info-command=COMMAND Command to generate info line --separator=STR Draw horizontal separator on info line using the string (default: '─' or '-') --no-separator Hide info line separator --ghost=TEXT Ghost text to display when the input is empty --filepath-word Make word-wise movements respect path separators --input-border[=STYLE] Draw border around the input section [rounded|sharp|bold|block|thinblock|double|horizontal|vertical| top|bottom|left|right|line|none] (default: rounded) --input-label=LABEL Label to print on the input border --input-label-pos=COL Position of the input label [POSITIVE_INTEGER: columns from left| NEGATIVE_INTEGER: columns from right][:bottom] (default: 0 or center) PREVIEW WINDOW --preview=COMMAND Command to preview highlighted line ({}) --preview-window=OPT Preview window layout (default: right:50%) [up|down|left|right][,SIZE[%]] [,[no]wrap][,[no]cycle][,[no]follow][,[no]info] [,[no]hidden][,border-STYLE] [,+SCROLL[OFFSETS][/DENOM]][,~HEADER_LINES] [,default][,<SIZE_THRESHOLD(ALTERNATIVE_LAYOUT)] --preview-border[=STYLE] Short for --preview-window=border-STYLE [rounded|sharp|bold|block|thinblock|double|horizontal|vertical| top|bottom|left|right|line|none] (default: rounded) --preview-label=LABEL --preview-label-pos=N Same as --border-label and --border-label-pos, but for preview window HEADER --header=STR String to print as header --header-lines=N The first N lines of the input are treated as header --header-first Print header before the prompt line --header-border[=STYLE] Draw border around the header section [rounded|sharp|bold|block|thinblock|double|horizontal|vertical| top|bottom|left|right|line|none] (default: rounded) --header-lines-border[=STYLE] Display header from --header-lines with a separate border. Pass 'none' to still separate it but without a border. --header-label=LABEL Label to print on the header border --header-label-pos=COL Position of the header label [POSITIVE_INTEGER: columns from left| NEGATIVE_INTEGER: columns from right][:bottom] (default: 0 or center) FOOTER --footer=STR String to print as footer --footer-border[=STYLE] Draw border around the footer section [rounded|sharp|bold|block|thinblock|double|horizontal|vertical| top|bottom|left|right|line|none] (default: line) --footer-label=LABEL Label to print on the footer border --footer-label-pos=COL Position of the footer label [POSITIVE_INTEGER: columns from left| NEGATIVE_INTEGER: columns from right][:bottom] (default: 0 or center) SCRIPTING -q, --query=STR Start the finder with the given query -1, --select-1 Automatically select the only match -0, --exit-0 Exit immediately when there's no match -f, --filter=STR Print matches for the initial query and exit --print-query Print query as the first line --expect=KEYS Comma-separated list of keys to complete fzf KEY/EVENT BINDING --bind=BINDINGS Custom key/event bindings ADVANCED --with-shell=STR Shell command and flags to start child processes with --listen[=[ADDR:]PORT] Start HTTP server to receive actions via TCP (To allow remote process execution, use --listen-unsafe) --listen=SOCKET_PATH Start HTTP server to receive actions via Unix domain socket (Path should end with .sock) DIRECTORY TRAVERSAL (Only used when $FZF_DEFAULT_COMMAND is not set) --walker=OPTS [file][,dir][,follow][,hidden] (default: file,follow,hidden) --walker-root=DIR [...] List of directories to walk (default: .) --walker-skip=DIRS Comma-separated list of directory names to skip (default: .git,node_modules) HISTORY --history=FILE File to store fzf search history (*not* shell command history) --history-size=N Maximum number of entries to keep in the file (default: 1000) SHELL INTEGRATION --bash Print script to set up Bash shell integration --zsh Print script to set up Zsh shell integration --fish Print script to set up Fish shell integration HELP --version Display version information and exit --help Show this message --man Show man page ENVIRONMENT VARIABLES FZF_DEFAULT_COMMAND Default command to use when input is tty FZF_DEFAULT_OPTS Default options (e.g. '--layout=reverse --info=inline') FZF_DEFAULT_OPTS_FILE Location of the file to read default options from FZF_API_KEY X-API-Key header for HTTP server (--listen) ` // Can be changed by --style var defaultBorderShape tui.BorderShape = tui.DefaultBorderShape const defaultInfoPrefix = " < " // Case denotes case-sensitivity of search type Case int // Case-sensitivities const ( CaseSmart Case = iota CaseIgnore CaseRespect ) // Sort criteria type criterion int const ( byScore criterion = iota byChunk byLength byBegin byEnd byPathname ) type heightSpec struct { size float64 percent bool auto bool inverse bool index int } type sizeSpec struct { size float64 percent bool } func (s sizeSpec) String() string { if s.percent { return fmt.Sprintf("%d%%", int(s.size)) } return fmt.Sprintf("%d", int(s.size)) } func defaultMargin() [4]sizeSpec { return [4]sizeSpec{} } type trackOption int const ( trackDisabled trackOption = iota trackEnabled trackCurrent ) type windowPosition int const ( posUp windowPosition = iota posDown posLeft posRight posCenter ) type tmuxOptions struct { width sizeSpec height sizeSpec position windowPosition index int border bool } type layoutType int const ( layoutDefault layoutType = iota layoutReverse layoutReverseList ) type infoStyle int const ( infoDefault infoStyle = iota infoRight infoInline infoInlineRight infoHidden ) type labelOpts struct { label string column int bottom bool } type previewOpts struct { command string position windowPosition size sizeSpec scroll string hidden bool wrap bool cycle bool follow bool info bool border tui.BorderShape headerLines int threshold int alternative *previewOpts } func (o *previewOpts) Visible() bool { return o.size.size > 0 || o.alternative != nil && o.alternative.size.size > 0 } func (o *previewOpts) Toggle() { o.hidden = !o.hidden } func (o *previewOpts) Border() tui.BorderShape { shape := o.border if shape == tui.BorderLine { switch o.position { case posUp: shape = tui.BorderBottom case posDown: shape = tui.BorderTop case posLeft: shape = tui.BorderRight case posRight: shape = tui.BorderLeft } } return shape } func defaultTmuxOptions(index int) *tmuxOptions { return &tmuxOptions{ position: posCenter, width: sizeSpec{50, true}, height: sizeSpec{50, true}, index: index} } func parseTmuxOptions(arg string, index int) (*tmuxOptions, error) { var err error opts := defaultTmuxOptions(index) tokens := splitRegexp.Split(arg, -1) errorToReturn := errors.New("invalid tmux option: " + arg + " (expected: [center|top|bottom|left|right][,SIZE[%]][,SIZE[%][,border-native]])") if len(tokens) == 0 || len(tokens) > 4 { return nil, errorToReturn } for i, token := range tokens { if token == "border-native" { tokens = append(tokens[:i], tokens[i+1:]...) // cut the 'border-native' option opts.border = true break } } // Defaults to 'center' first := "center" if len(tokens) > 0 { first = tokens[0] } switch first { case "top", "up": opts.position = posUp opts.width = sizeSpec{100, true} case "bottom", "down": opts.position = posDown opts.width = sizeSpec{100, true} case "left": opts.position = posLeft opts.height = sizeSpec{100, true} case "right": opts.position = posRight opts.height = sizeSpec{100, true} case "center": default: tokens = append([]string{"center"}, tokens...) } // One size given var size1 sizeSpec if len(tokens) > 1 { if size1, err = parseSize(tokens[1], 100, "size"); err != nil { return nil, errorToReturn } } // Two sizes given var size2 sizeSpec if len(tokens) == 3 { if size2, err = parseSize(tokens[2], 100, "size"); err != nil { return nil, errorToReturn } opts.width = size1 opts.height = size2 } else if len(tokens) == 2 { switch tokens[0] { case "top", "up": opts.height = size1 case "bottom", "down": opts.height = size1 case "left": opts.width = size1 case "right": opts.width = size1 case "center": opts.width = size1 opts.height = size1 } } return opts, nil } func parseLabelPosition(opts *labelOpts, arg string) error { opts.column = 0 opts.bottom = false var err error for _, token := range splitRegexp.Split(strings.ToLower(arg), -1) { switch token { case "center": opts.column = 0 case "bottom": opts.bottom = true case "top": opts.bottom = false default: opts.column, err = atoi(token) } } return err } func (a previewOpts) aboveOrBelow() bool { return a.size.size > 0 && (a.position == posUp || a.position == posDown) } type previewOptsCompare int const ( previewOptsSame previewOptsCompare = iota previewOptsDifferentContentLayout previewOptsDifferentLayout ) func (o *previewOpts) compare(active *previewOpts, b *previewOpts) previewOptsCompare { a := o sameThreshold := o.position == b.position && o.threshold == b.threshold // Alternative layout is being used if o.alternative == active { a = active // If the other also has an alternative layout, if b.alternative != nil { // and if the same condition is the same, compare alt vs. alt. if sameThreshold { b = b.alternative } else { // If not, we pessimistically decide that the layouts may not be the same return previewOptsDifferentLayout } } } else if b.alternative != nil && !sameThreshold { // We may choose the other's alternative layout, so let's be conservative. return previewOptsDifferentLayout } if !(a.size == b.size && a.position == b.position && a.border == b.border && a.hidden == b.hidden) { return previewOptsDifferentLayout } if a.wrap == b.wrap && a.headerLines == b.headerLines && a.info == b.info && a.scroll == b.scroll { return previewOptsSame } return previewOptsDifferentContentLayout } func firstLine(s string) string { return strings.SplitN(s, "\n", 2)[0] } type walkerOpts struct { file bool dir bool hidden bool follow bool } // Options stores the values of command-line options type Options struct { Input chan string Output chan string NoWinpty bool Tmux *tmuxOptions ForceTtyIn bool ProxyScript string Bash bool Zsh bool Fish bool Man bool Fuzzy bool FuzzyAlgo algo.Algo Scheme string Extended bool Phony bool Inputless bool Case Case Normalize bool Nth []Range FreezeLeft int FreezeRight int WithNth func(Delimiter) func([]Token, int32) string AcceptNth func(Delimiter) func([]Token, int32) string Delimiter Delimiter Sort int Raw bool Track trackOption Tac bool Tail int Criteria []criterion Multi int Ansi bool Mouse bool BaseTheme *tui.ColorTheme Theme *tui.ColorTheme Black bool Bold bool Height heightSpec MinHeight int Layout layoutType Cycle bool Wrap bool WrapSign *string MultiLine bool CursorLine bool KeepRight bool Hscroll bool HscrollOff int ScrollOff int FileWord bool InfoStyle infoStyle InfoPrefix string InfoCommand string Ghost string Separator *string JumpLabels string Prompt string Gutter *string GutterRaw *string Pointer *string Marker *string MarkerMulti *[3]string Query string Select1 bool Exit0 bool Filter *string ToggleSort bool Expect map[tui.Event]string Keymap map[tui.Event][]*action Preview previewOpts PrintQuery bool ReadZero bool Printer func(string) PrintSep string Sync bool History *History Header []string HeaderLines int HeaderFirst bool Footer []string Gap int GapLine *string Ellipsis *string Scrollbar *string Margin [4]sizeSpec Padding [4]sizeSpec BorderShape tui.BorderShape ListBorderShape tui.BorderShape InputBorderShape tui.BorderShape HeaderBorderShape tui.BorderShape HeaderLinesShape tui.BorderShape FooterBorderShape tui.BorderShape InputLabel labelOpts HeaderLabel labelOpts FooterLabel labelOpts BorderLabel labelOpts ListLabel labelOpts PreviewLabel labelOpts Unicode bool Ambidouble bool Tabstop int WithShell string ListenAddr *listenAddress Unsafe bool ClearOnExit bool WalkerOpts walkerOpts WalkerRoot []string WalkerSkip []string Version bool Help bool CPUProfile string MEMProfile string BlockProfile string MutexProfile string TtyDefault string } func filterNonEmpty(input []string) []string { output := make([]string, 0, len(input)) for _, str := range input { if len(str) > 0 { output = append(output, str) } } return output } func defaultPreviewOpts(command string) previewOpts { return previewOpts{command, posRight, sizeSpec{50, true}, "", false, false, false, false, true, defaultBorderShape, 0, 0, nil} } func defaultOptions() *Options { var theme, baseTheme *tui.ColorTheme if os.Getenv("NO_COLOR") != "" { theme = tui.NoColorTheme baseTheme = tui.NoColorTheme } else { theme = tui.EmptyTheme } return &Options{ Bash: false, Zsh: false, Fish: false, Man: false, Fuzzy: true, FuzzyAlgo: algo.FuzzyMatchV2, Scheme: "", // Unknown Extended: true, Phony: false, Inputless: false, Case: CaseSmart, Normalize: true, Nth: make([]Range, 0), Delimiter: Delimiter{}, Sort: 1000, Track: trackDisabled, Tac: false, Criteria: []criterion{}, // Unknown Multi: 0, Ansi: false, Mouse: true, Theme: theme, BaseTheme: baseTheme, Black: false, Bold: true, MinHeight: -10, Layout: layoutDefault, Cycle: false, Wrap: false, MultiLine: true, KeepRight: false, Hscroll: true, HscrollOff: 10, ScrollOff: 3, FileWord: false, InfoStyle: infoDefault, Ghost: "", Separator: nil, JumpLabels: defaultJumpLabels, Prompt: "> ", Gutter: nil, GutterRaw: nil, Pointer: nil, Marker: nil, MarkerMulti: nil, Query: "", Select1: false, Exit0: false, Filter: nil, ToggleSort: false, Expect: make(map[tui.Event]string), Keymap: make(map[tui.Event][]*action), Preview: defaultPreviewOpts(""), PrintQuery: false, ReadZero: false, Printer: func(str string) { fmt.Println(str) }, PrintSep: "\n", Sync: false, History: nil, Header: make([]string, 0), HeaderLines: 0, HeaderFirst: false, Footer: make([]string, 0), Gap: 0, Ellipsis: nil, Scrollbar: nil, Margin: defaultMargin(), Padding: defaultMargin(), Unicode: true, Ambidouble: os.Getenv("RUNEWIDTH_EASTASIAN") == "1", Tabstop: 8, BorderLabel: labelOpts{}, PreviewLabel: labelOpts{}, Unsafe: false, ClearOnExit: true, WalkerOpts: walkerOpts{file: true, hidden: true, follow: true}, WalkerRoot: []string{"."}, WalkerSkip: []string{".git", "node_modules"}, TtyDefault: tui.DefaultTtyDevice, Help: false, Version: false} } func isDir(path string) bool { stat, err := os.Stat(path) return err == nil && stat.IsDir() } func atoi(str string) (int, error) { num, err := strconv.Atoi(str) if err != nil { return 0, errors.New("not a valid integer: " + str) } return num, nil } func atof(str string) (float64, error) { num, err := strconv.ParseFloat(str, 64) if err != nil { return 0, errors.New("not a valid number: " + str) } return num, nil } func splitNth(str string) ([]Range, error) { if match, _ := regexp.MatchString("^[0-9,-.]+$", str); !match { return nil, errors.New("invalid format: " + str) } tokens := strings.Split(str, ",") ranges := make([]Range, len(tokens)) for idx, s := range tokens { r, ok := ParseRange(&s) if !ok { return nil, errors.New("invalid format: " + str) } ranges[idx] = r } return ranges, nil } func nthTransformer(str string) (func(Delimiter) func([]Token, int32) string, error) { // ^[0-9,-.]+$" if match, _ := regexp.MatchString("^[0-9,-.]+$", str); match { nth, err := splitNth(str) if err != nil { return nil, err } return func(Delimiter) func([]Token, int32) string { return func(tokens []Token, index int32) string { return JoinTokens(Transform(tokens, nth)) } }, nil } // {...} {...} ... placeholder := regexp.MustCompile("{[0-9,-.]+}|{n}") indexes := placeholder.FindAllStringIndex(str, -1) if indexes == nil { return nil, errors.New("template should include at least 1 placeholder: " + str) } type NthParts struct { str string index bool nth []Range } parts := make([]NthParts, len(indexes)) idx := 0 for _, index := range indexes { if idx < index[0] { parts = append(parts, NthParts{str: str[idx:index[0]]}) } expr := str[index[0]+1 : index[1]-1] if expr == "n" { parts = append(parts, NthParts{index: true}) } else if nth, err := splitNth(expr); err == nil { parts = append(parts, NthParts{nth: nth}) } idx = index[1] } if idx < len(str) { parts = append(parts, NthParts{str: str[idx:]}) } return func(delimiter Delimiter) func([]Token, int32) string { return func(tokens []Token, index int32) string { str := "" for _, holder := range parts { if holder.nth != nil { str += StripLastDelimiter(JoinTokens(Transform(tokens, holder.nth)), delimiter) } else if holder.index { if index >= 0 { str += strconv.Itoa(int(index)) } } else { str += holder.str } } return str } }, nil } func delimiterRegexp(str string) Delimiter { // Special handling of \t str = strings.ReplaceAll(str, "\\t", "\t") // 1. Pattern is a single character if len([]rune(str)) == 1 { return Delimiter{str: &str} } // 2. Pattern does not contain any special character if regexp.QuoteMeta(str) == str { return Delimiter{str: &str} } rx, e := regexp.Compile(str) // 3. Pattern is not a valid regular expression if e != nil { return Delimiter{str: &str} } // 4. Pattern as regular expression. Slow. return Delimiter{regex: rx} } func isAlphabet(char uint8) bool { return char >= 'a' && char <= 'z' } func isNumeric(char uint8) bool { return char >= '0' && char <= '9' } func parseAlgo(str string) (algo.Algo, error) { switch str { case "v1": return algo.FuzzyMatchV1, nil case "v2": return algo.FuzzyMatchV2, nil } return nil, errors.New("invalid algorithm (expected: v1 or v2)") } func parseBorder(str string, optional bool) (tui.BorderShape, error) { switch str { case "line": return tui.BorderLine, nil case "rounded": return tui.BorderRounded, nil case "sharp": return tui.BorderSharp, nil case "bold": return tui.BorderBold, nil case "block": return tui.BorderBlock, nil case "thinblock": return tui.BorderThinBlock, nil case "double": return tui.BorderDouble, nil case "horizontal": return tui.BorderHorizontal, nil case "vertical": return tui.BorderVertical, nil case "top": return tui.BorderTop, nil case "bottom": return tui.BorderBottom, nil case "left": return tui.BorderLeft, nil case "right": return tui.BorderRight, nil case "none": return tui.BorderNone, nil } if optional && str == "" { return defaultBorderShape, nil } return tui.BorderNone, errors.New("invalid border style (expected: rounded|sharp|bold|block|thinblock|double|horizontal|vertical|top|bottom|left|right|none)") } func parseKeyChords(str string, message string) (map[tui.Event]string, []tui.Event, error) { if len(str) == 0 { return nil, nil, errors.New(message) } list := []tui.Event{} str = regexp.MustCompile("(?i)(alt-),").ReplaceAllString(str, "$1"+string([]rune{escapedComma})) tokens := strings.Split(str, ",") if str == "," || strings.HasPrefix(str, ",,") || strings.HasSuffix(str, ",,") || strings.Contains(str, ",,,") { tokens = append(tokens, ",") } chords := make(map[tui.Event]string) for _, key := range tokens { if len(key) == 0 { continue // ignore } key = strings.ReplaceAll(key, string([]rune{escapedComma}), ",") lkey := strings.ToLower(key) add := func(e tui.EventType) { chords[e.AsEvent()] = key list = append(list, e.AsEvent()) } switch lkey { case "up": add(tui.Up) case "down": add(tui.Down) case "left": add(tui.Left) case "right": add(tui.Right) case "enter", "return": add(tui.Enter) case "space": evt := tui.Key(' ') chords[evt] = key list = append(list, evt) case "backspace", "bspace", "bs": add(tui.Backspace) case "ctrl-space": add(tui.CtrlSpace) case "ctrl-^", "ctrl-6": add(tui.CtrlCaret) case "ctrl-/", "ctrl-_": add(tui.CtrlSlash) case "ctrl-\\": add(tui.CtrlBackSlash) case "ctrl-]": add(tui.CtrlRightBracket) case "change": add(tui.Change) case "backward-eof": add(tui.BackwardEOF) case "start": add(tui.Start) case "load": add(tui.Load) case "focus": add(tui.Focus) case "result": add(tui.Result) case "resize": add(tui.Resize) case "one": add(tui.One) case "zero": add(tui.Zero) case "jump": add(tui.Jump) case "jump-cancel": add(tui.JumpCancel) case "click-header": add(tui.ClickHeader) case "click-footer": add(tui.ClickFooter) case "multi": add(tui.Multi) case "alt-enter", "alt-return": evt := tui.CtrlAltKey('m') chords[evt] = key list = append(list, evt) case "alt-space": evt := tui.AltKey(' ') chords[evt] = key list = append(list, evt) case "alt-bs", "alt-bspace", "alt-backspace": add(tui.AltBackspace) case "ctrl-bs", "ctrl-bspace", "ctrl-backspace": add(tui.CtrlBackspace) case "ctrl-alt-bs", "ctrl-alt-bspace", "ctrl-alt-backspace": add(tui.CtrlAltBackspace) case "alt-up": add(tui.AltUp) case "alt-down": add(tui.AltDown) case "alt-left": add(tui.AltLeft) case "alt-right": add(tui.AltRight) case "alt-home": add(tui.AltHome) case "alt-end": add(tui.AltEnd) case "alt-delete": add(tui.AltDelete) case "alt-page-up": add(tui.AltPageUp) case "alt-page-down": add(tui.AltPageDown) case "tab": add(tui.Tab) case "btab", "shift-tab": add(tui.ShiftTab) case "esc": add(tui.Esc) case "delete", "del": add(tui.Delete) case "home": add(tui.Home) case "end": add(tui.End) case "insert": add(tui.Insert) case "pgup", "page-up": add(tui.PageUp) case "pgdn", "page-down": add(tui.PageDown) case "alt-shift-up", "shift-alt-up": add(tui.AltShiftUp) case "alt-shift-down", "shift-alt-down": add(tui.AltShiftDown) case "alt-shift-left", "shift-alt-left": add(tui.AltShiftLeft) case "alt-shift-right", "shift-alt-right": add(tui.AltShiftRight) case "alt-shift-home", "shift-alt-home": add(tui.AltShiftHome) case "alt-shift-end", "shift-alt-end": add(tui.AltShiftEnd) case "alt-shift-delete", "shift-alt-delete":
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
true
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/ansi_test.go
src/ansi_test.go
package fzf import ( "math/rand" "regexp" "strings" "testing" "unicode/utf8" "github.com/junegunn/fzf/src/tui" ) // The following regular expression will include not all but most of the // frequently used ANSI sequences. This regex is used as a reference for // testing nextAnsiEscapeSequence(). // // References: // - https://github.com/gnachman/iTerm2 // - https://web.archive.org/web/20090204053813/http://ascii-table.com/ansi-escape-sequences.php // (archived from http://ascii-table.com/ansi-escape-sequences.php) // - https://web.archive.org/web/20090227051140/http://ascii-table.com/ansi-escape-sequences-vt-100.php // (archived from http://ascii-table.com/ansi-escape-sequences-vt-100.php) // - http://tldp.org/HOWTO/Bash-Prompt-HOWTO/x405.html // - https://invisible-island.net/xterm/ctlseqs/ctlseqs.html var ansiRegexReference = regexp.MustCompile("(?:\x1b[\\[()][0-9;:]*[a-zA-Z@]|\x1b][0-9][;:][[:print:]]+(?:\x1b\\\\|\x07)|\x1b.|[\x0e\x0f]|.\x08|\n)") func testParserReference(t testing.TB, str string) { t.Helper() toSlice := func(start, end int) []int { if start == -1 { return nil } return []int{start, end} } s := str for i := 0; ; i++ { got := toSlice(nextAnsiEscapeSequence(s)) exp := ansiRegexReference.FindStringIndex(s) equal := len(got) == len(exp) if equal { for i := range got { if got[i] != exp[i] { equal = false break } } } if !equal { var exps, gots []rune if len(got) == 2 { gots = []rune(s[got[0]:got[1]]) } if len(exp) == 2 { exps = []rune(s[exp[0]:exp[1]]) } t.Errorf("%d: %q: got: %v (%q) want: %v (%q)", i, s, got, gots, exp, exps) return } if len(exp) == 0 { return } s = s[exp[1]:] } } func TestNextAnsiEscapeSequence(t *testing.T) { testStrs := []string{ "\x1b[0mhello world", "\x1b[1mhello world", "椙\x1b[1m椙", "椙\x1b[1椙m椙", "\x1b[1mhello \x1b[mw\x1b7o\x1b8r\x1b(Bl\x1b[2@d", "\x1b[1mhello \x1b[Kworld", "hello \x1b[34;45;1mworld", "hello \x1b[34;45;1mwor\x1b[34;45;1mld", "hello \x1b[34;45;1mwor\x1b[0mld", "hello \x1b[34;48;5;233;1mwo\x1b[38;5;161mr\x1b[0ml\x1b[38;5;161md", "hello \x1b[38;5;38;48;5;48;1mwor\x1b[38;5;48;48;5;38ml\x1b[0md", "hello \x1b[32;1mworld", "hello world", "hello \x1b[0;38;5;200;48;5;100mworld", "\x1b椙", "椙\x08", "\n\x08", "X\x08", "", "\x1b]4;3;rgb:aa/bb/cc\x07 ", "\x1b]4;3;rgb:aa/bb/cc\x1b\\ ", ansiBenchmarkString, } for _, s := range testStrs { testParserReference(t, s) } } func TestNextAnsiEscapeSequence_Fuzz_Modified(t *testing.T) { t.Parallel() if testing.Short() { t.Skip("short test") } testStrs := []string{ "\x1b[0mhello world", "\x1b[1mhello world", "椙\x1b[1m椙", "椙\x1b[1椙m椙", "\x1b[1mhello \x1b[mw\x1b7o\x1b8r\x1b(Bl\x1b[2@d", "\x1b[1mhello \x1b[Kworld", "hello \x1b[34;45;1mworld", "hello \x1b[34;45;1mwor\x1b[34;45;1mld", "hello \x1b[34;45;1mwor\x1b[0mld", "hello \x1b[34;48;5;233;1mwo\x1b[38;5;161mr\x1b[0ml\x1b[38;5;161md", "hello \x1b[38;5;38;48;5;48;1mwor\x1b[38;5;48;48;5;38ml\x1b[0md", "hello \x1b[32;1mworld", "hello world", "hello \x1b[0;38;5;200;48;5;100mworld", ansiBenchmarkString, } replacementBytes := [...]rune{'\x0e', '\x0f', '\x1b', '\x08'} modifyString := func(s string, rr *rand.Rand) string { n := rr.Intn(len(s)) b := []rune(s) for ; n >= 0 && len(b) != 0; n-- { i := rr.Intn(len(b)) switch x := rr.Intn(4); x { case 0: b = append(b[:i], b[i+1:]...) case 1: j := rr.Intn(len(replacementBytes) - 1) b[i] = replacementBytes[j] case 2: x := rune(rr.Intn(utf8.MaxRune)) for !utf8.ValidRune(x) { x = rune(rr.Intn(utf8.MaxRune)) } b[i] = x case 3: b[i] = rune(rr.Intn(utf8.MaxRune)) // potentially invalid default: t.Fatalf("unsupported value: %d", x) } } return string(b) } rr := rand.New(rand.NewSource(1)) for _, s := range testStrs { for i := 1_000; i >= 0; i-- { testParserReference(t, modifyString(s, rr)) } } } func TestNextAnsiEscapeSequence_Fuzz_Random(t *testing.T) { t.Parallel() if testing.Short() { t.Skip("short test") } randomString := func(rr *rand.Rand) string { numChars := rand.Intn(50) codePoints := make([]rune, numChars) for i := range codePoints { var r rune for range 1000 { r = rune(rr.Intn(utf8.MaxRune)) // Allow 10% of runes to be invalid if utf8.ValidRune(r) || rr.Float64() < 0.10 { break } } codePoints[i] = r } return string(codePoints) } rr := rand.New(rand.NewSource(1)) for range 100_000 { testParserReference(t, randomString(rr)) } } func TestExtractColor(t *testing.T) { assert := func(offset ansiOffset, b int32, e int32, fg tui.Color, bg tui.Color, bold bool) { var attr tui.Attr if bold { attr = tui.Bold } if offset.offset[0] != b || offset.offset[1] != e || offset.color.fg != fg || offset.color.bg != bg || offset.color.attr != attr { t.Error(offset, b, e, fg, bg, attr) } } src := "hello world" var state *ansiState clean := "\x1b[0m" check := func(assertion func(ansiOffsets *[]ansiOffset, state *ansiState)) { output, ansiOffsets, newState := extractColor(src, state, nil) state = newState if output != "hello world" { t.Errorf("Invalid output: %s %v", output, []rune(output)) } t.Log(src, ansiOffsets, clean) assertion(ansiOffsets, state) } check(func(offsets *[]ansiOffset, state *ansiState) { if offsets != nil { t.Fail() } }) state = nil src = "\x1b[0mhello world" check(func(offsets *[]ansiOffset, state *ansiState) { if offsets != nil { t.Fail() } }) state = nil src = "\x1b[1mhello world" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 0, 11, -1, -1, true) }) state = nil src = "\x1b[1mhello \x1b[mw\x1b7o\x1b8r\x1b(Bl\x1b[2@d" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 0, 6, -1, -1, true) }) state = nil src = "\x1b[1mhello \x1b[Kworld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 0, 11, -1, -1, true) }) state = nil src = "hello \x1b[34;45;1mworld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 6, 11, 4, 5, true) }) state = nil src = "hello \x1b[34;45;1mwor\x1b[34;45;1mld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 6, 11, 4, 5, true) }) state = nil src = "hello \x1b[34;45;1mwor\x1b[0mld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 6, 9, 4, 5, true) }) state = nil src = "hello \x1b[34;48;5;233;1mwo\x1b[38;5;161mr\x1b[0ml\x1b[38;5;161md" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 3 { t.Fail() } assert((*offsets)[0], 6, 8, 4, 233, true) assert((*offsets)[1], 8, 9, 161, 233, true) assert((*offsets)[2], 10, 11, 161, -1, false) }) // {38,48};5;{38,48} state = nil src = "hello \x1b[38;5;38;48;5;48;1mwor\x1b[38;5;48;48;5;38ml\x1b[0md" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 2 { t.Fail() } assert((*offsets)[0], 6, 9, 38, 48, true) assert((*offsets)[1], 9, 10, 48, 38, true) }) src = "hello \x1b[32;1mworld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } if state.fg != 2 || state.bg != -1 || state.attr == 0 { t.Fail() } assert((*offsets)[0], 6, 11, 2, -1, true) }) src = "hello world" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } if state.fg != 2 || state.bg != -1 || state.attr == 0 { t.Fail() } assert((*offsets)[0], 0, 11, 2, -1, true) }) src = "hello \x1b[0;38;5;200;48;5;100mworld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 2 { t.Fail() } if state.fg != 200 || state.bg != 100 || state.attr > 0 { t.Fail() } assert((*offsets)[0], 0, 6, 2, -1, true) assert((*offsets)[1], 6, 11, 200, 100, false) }) state = nil var color24 tui.Color = (1 << 24) + (180 << 16) + (190 << 8) + 254 src = "\x1b[1mhello \x1b[22;1;38:2:180:190:254mworld" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 2 { t.Fail() } if state.fg != color24 || state.attr != 1 { t.Fail() } assert((*offsets)[0], 0, 6, -1, -1, true) assert((*offsets)[1], 6, 11, color24, -1, true) }) src = "\x1b]133;A\x1b\\hello \x1b]133;C\x1b\\world" check(func(offsets *[]ansiOffset, state *ansiState) { if len(*offsets) != 1 { t.Fail() } assert((*offsets)[0], 0, 11, color24, -1, true) }) } func TestAnsiCodeStringConversion(t *testing.T) { assert := func(code string, prevState *ansiState, expected string) { state := interpretCode(code, prevState) if expected != state.ToString() { t.Errorf("expected: %s, actual: %s", strings.ReplaceAll(expected, "\x1b[", "\\x1b["), strings.ReplaceAll(state.ToString(), "\x1b[", "\\x1b[")) } } assert("\x1b[m", nil, "") assert("\x1b[m", &ansiState{attr: tui.Blink, lbg: -1}, "") assert("\x1b[0m", &ansiState{fg: 4, bg: 4, lbg: -1}, "") assert("\x1b[;m", &ansiState{fg: 4, bg: 4, lbg: -1}, "") assert("\x1b[;;m", &ansiState{fg: 4, bg: 4, lbg: -1}, "") assert("\x1b[31m", nil, "\x1b[31;49m") assert("\x1b[41m", nil, "\x1b[39;41m") assert("\x1b[92m", nil, "\x1b[92;49m") assert("\x1b[102m", nil, "\x1b[39;102m") assert("\x1b[31m", &ansiState{fg: 4, bg: 4, lbg: -1}, "\x1b[31;44m") assert("\x1b[1;2;31m", &ansiState{fg: 2, bg: -1, attr: tui.Reverse, lbg: -1}, "\x1b[1;2;7;31;49m") assert("\x1b[38;5;100;48;5;200m", nil, "\x1b[38;5;100;48;5;200m") assert("\x1b[38:5:100:48:5:200m", nil, "\x1b[38;5;100;48;5;200m") assert("\x1b[48;5;100;38;5;200m", nil, "\x1b[38;5;200;48;5;100m") assert("\x1b[48;5;100;38;2;10;20;30;1m", nil, "\x1b[1;38;2;10;20;30;48;5;100m") assert("\x1b[48;5;100;38;2;10;20;30;7m", &ansiState{attr: tui.Dim | tui.Italic, fg: 1, bg: 1}, "\x1b[2;3;7;38;2;10;20;30;48;5;100m") } func TestParseAnsiCode(t *testing.T) { tests := []struct { In, Exp string N int }{ {"123", "", 123}, {"1a", "", -1}, {"1a;12", "12", -1}, {"12;a", "a", 12}, {"-2", "", -1}, } for _, x := range tests { n, s := parseAnsiCode(x.In) if n != x.N || s != x.Exp { t.Fatalf("%q: got: (%d %q) want: (%d %q)", x.In, n, s, x.N, x.Exp) } } } // kernel/bpf/preload/iterators/README const ansiBenchmarkString = "\x1b[38;5;81m\x1b[01;31m\x1b[Kkernel/\x1b[0m\x1b[38:5:81mbpf/" + "\x1b[0m\x1b[38:5:81mpreload/\x1b[0m\x1b[38;5;81miterators/" + "\x1b[0m\x1b[38:5:149mMakefile\x1b[m\x1b[K\x1b[0m" func BenchmarkNextAnsiEscapeSequence(b *testing.B) { b.SetBytes(int64(len(ansiBenchmarkString))) for i := 0; i < b.N; i++ { s := ansiBenchmarkString for { _, o := nextAnsiEscapeSequence(s) if o == -1 { break } s = s[o:] } } } // Baseline test to compare the speed of nextAnsiEscapeSequence() to the // previously used regex based implementation. func BenchmarkNextAnsiEscapeSequence_Regex(b *testing.B) { b.SetBytes(int64(len(ansiBenchmarkString))) for i := 0; i < b.N; i++ { s := ansiBenchmarkString for { a := ansiRegexReference.FindStringIndex(s) if len(a) == 0 { break } s = s[a[1]:] } } } func BenchmarkExtractColor(b *testing.B) { b.SetBytes(int64(len(ansiBenchmarkString))) for i := 0; i < b.N; i++ { extractColor(ansiBenchmarkString, nil, nil) } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/functions.go
src/functions.go
package fzf import ( "os" "strings" "unsafe" ) func WriteTemporaryFile(data []string, printSep string) string { f, err := os.CreateTemp("", "fzf-temp-*") if err != nil { // Unable to create temporary file // FIXME: Should we terminate the program? return "" } defer f.Close() f.WriteString(strings.Join(data, printSep)) f.WriteString(printSep) return f.Name() } func removeFiles(files []string) { for _, filename := range files { os.Remove(filename) } } func stringBytes(data string) []byte { return unsafe.Slice(unsafe.StringData(data), len(data)) } func byteString(data []byte) string { return unsafe.String(unsafe.SliceData(data), len(data)) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/core.go
src/core.go
// Package fzf implements fzf, a command-line fuzzy finder. package fzf import ( "maps" "os" "sync" "time" "github.com/junegunn/fzf/src/tui" "github.com/junegunn/fzf/src/util" ) /* Reader -> EvtReadFin Reader -> EvtReadNew -> Matcher (restart) Terminal -> EvtSearchNew:bool -> Matcher (restart) Matcher -> EvtSearchProgress -> Terminal (update info) Matcher -> EvtSearchFin -> Terminal (update list) Matcher -> EvtHeader -> Terminal (update header) */ type revision struct { major int minor int } func (r *revision) bumpMajor() { r.major++ r.minor = 0 } func (r *revision) bumpMinor() { r.minor++ } func (r revision) compatible(other revision) bool { return r.major == other.major } func buildItemTransformer(opts *Options) func(*Item) string { if opts.AcceptNth != nil { fn := opts.AcceptNth(opts.Delimiter) return func(item *Item) string { return item.acceptNth(opts.Ansi, opts.Delimiter, fn) } } return func(item *Item) string { return item.AsString(opts.Ansi) } } // Run starts fzf func Run(opts *Options) (int, error) { if opts.Filter == nil { if opts.useTmux() { return runTmux(os.Args, opts) } if needWinpty(opts) { return runWinpty(os.Args, opts) } } if err := postProcessOptions(opts); err != nil { return ExitError, err } defer util.RunAtExitFuncs() // Output channel given if opts.Output != nil { opts.Printer = func(str string) { opts.Output <- str } } sort := opts.Sort > 0 sortCriteria = opts.Criteria // Event channel eventBox := util.NewEventBox() // ANSI code processor ansiProcessor := func(data []byte) (util.Chars, *[]ansiOffset) { return util.ToChars(data), nil } var lineAnsiState, prevLineAnsiState *ansiState if opts.Ansi { ansiProcessor = func(data []byte) (util.Chars, *[]ansiOffset) { prevLineAnsiState = lineAnsiState trimmed, offsets, newState := extractColor(byteString(data), lineAnsiState, nil) lineAnsiState = newState // Full line background is found. Add a special marker. if offsets != nil && newState != nil && len(*offsets) > 0 && newState.lbg >= 0 { marker := (*offsets)[len(*offsets)-1] marker.offset[0] = marker.offset[1] marker.color.bg = newState.lbg marker.color.attr = marker.color.attr | tui.FullBg newOffsets := append(*offsets, marker) offsets = &newOffsets // Reset the full-line background color lineAnsiState.lbg = -1 } return util.ToChars(stringBytes(trimmed)), offsets } } // Chunk list cache := NewChunkCache() var chunkList *ChunkList var itemIndex int32 header := make([]string, 0, opts.HeaderLines) if opts.WithNth == nil { chunkList = NewChunkList(cache, func(item *Item, data []byte) bool { if len(header) < opts.HeaderLines { header = append(header, byteString(data)) eventBox.Set(EvtHeader, header) return false } item.text, item.colors = ansiProcessor(data) item.text.Index = itemIndex itemIndex++ return true }) } else { nthTransformer := opts.WithNth(opts.Delimiter) chunkList = NewChunkList(cache, func(item *Item, data []byte) bool { tokens := Tokenize(byteString(data), opts.Delimiter) if opts.Ansi && len(tokens) > 1 { var ansiState *ansiState if prevLineAnsiState != nil { ansiStateDup := *prevLineAnsiState ansiState = &ansiStateDup } for _, token := range tokens { prevAnsiState := ansiState _, _, ansiState = extractColor(token.text.ToString(), ansiState, nil) if prevAnsiState != nil { token.text.Prepend("\x1b[m" + prevAnsiState.ToString()) } else { token.text.Prepend("\x1b[m") } } } transformed := nthTransformer(tokens, itemIndex) if len(header) < opts.HeaderLines { header = append(header, transformed) eventBox.Set(EvtHeader, header) return false } item.text, item.colors = ansiProcessor(stringBytes(transformed)) // We should not trim trailing whitespaces with background colors var maxColorOffset int32 if item.colors != nil { for _, ansi := range *item.colors { if ansi.color.bg >= 0 { maxColorOffset = max(maxColorOffset, ansi.offset[1]) } } } item.text.TrimTrailingWhitespaces(int(maxColorOffset)) item.text.Index = itemIndex item.origText = &data itemIndex++ return true }) } // Process executor executor := util.NewExecutor(opts.WithShell) // Terminal I/O var terminal *Terminal var err error var initialEnv []string initialReload := opts.extractReloadOnStart() if opts.Filter == nil { terminal, err = NewTerminal(opts, eventBox, executor) if err != nil { return ExitError, err } if len(initialReload) > 0 { var temps []string initialReload, temps = terminal.replacePlaceholderInInitialCommand(initialReload) initialEnv = terminal.environ() defer removeFiles(temps) } } // Reader streamingFilter := opts.Filter != nil && !sort && !opts.Tac && !opts.Sync var reader *Reader if !streamingFilter { reader = NewReader(func(data []byte) bool { return chunkList.Push(data) }, eventBox, executor, opts.ReadZero, opts.Filter == nil) readyChan := make(chan bool) go reader.ReadSource(opts.Input, opts.WalkerRoot, opts.WalkerOpts, opts.WalkerSkip, initialReload, initialEnv, readyChan) <-readyChan } // Matcher forward := true withPos := false for idx := len(opts.Criteria) - 1; idx > 0; idx-- { switch opts.Criteria[idx] { case byChunk: withPos = true case byEnd: forward = false case byBegin: forward = true case byPathname: withPos = true forward = false } } nth := opts.Nth inputRevision := revision{} snapshotRevision := revision{} patternCache := make(map[string]*Pattern) denyMutex := sync.Mutex{} denylist := make(map[int32]struct{}) clearDenylist := func() { denyMutex.Lock() if len(denylist) > 0 { patternCache = make(map[string]*Pattern) } denylist = make(map[int32]struct{}) denyMutex.Unlock() } patternBuilder := func(runes []rune) *Pattern { denyMutex.Lock() denylistCopy := maps.Clone(denylist) denyMutex.Unlock() return BuildPattern(cache, patternCache, opts.Fuzzy, opts.FuzzyAlgo, opts.Extended, opts.Case, opts.Normalize, forward, withPos, opts.Filter == nil, nth, opts.Delimiter, inputRevision, runes, denylistCopy) } matcher := NewMatcher(cache, patternBuilder, sort, opts.Tac, eventBox, inputRevision) // Filtering mode if opts.Filter != nil { if opts.PrintQuery { opts.Printer(*opts.Filter) } pattern := patternBuilder([]rune(*opts.Filter)) matcher.sort = pattern.sortable transformer := buildItemTransformer(opts) found := false if streamingFilter { slab := util.MakeSlab(slab16Size, slab32Size) mutex := sync.Mutex{} reader := NewReader( func(runes []byte) bool { item := Item{} if chunkList.trans(&item, runes) { mutex.Lock() if result, _, _ := pattern.MatchItem(&item, false, slab); result != nil { opts.Printer(transformer(&item)) found = true } mutex.Unlock() } return false }, eventBox, executor, opts.ReadZero, false) reader.ReadSource(opts.Input, opts.WalkerRoot, opts.WalkerOpts, opts.WalkerSkip, initialReload, initialEnv, nil) } else { eventBox.Unwatch(EvtReadNew) eventBox.WaitFor(EvtReadFin) // NOTE: Streaming filter is inherently not compatible with --tail snapshot, _, _ := chunkList.Snapshot(opts.Tail) result := matcher.scan(MatchRequest{ chunks: snapshot, pattern: pattern}) for i := 0; i < result.merger.Length(); i++ { opts.Printer(transformer(result.merger.Get(i).item)) found = true } } if found { return ExitOk, nil } return ExitNoMatch, nil } // Synchronous search if opts.Sync { eventBox.Unwatch(EvtReadNew) eventBox.WaitFor(EvtReadFin) } // Go interactive go matcher.Loop() defer matcher.Stop() // Handling adaptive height maxFit := 0 // Maximum number of items that can fit on screen padHeight := 0 heightUnknown := opts.Height.auto if heightUnknown { maxFit, padHeight = terminal.MaxFitAndPad() } deferred := opts.Select1 || opts.Exit0 || opts.Sync go terminal.Loop() if !deferred && !heightUnknown { // Start right away terminal.startChan <- fitpad{-1, -1} } // Event coordination reading := true ticks := 0 startTick := 0 var nextCommand *commandSpec var nextEnviron []string eventBox.Watch(EvtReadNew) total := 0 query := []rune{} determine := func(final bool) { if heightUnknown { if total >= maxFit || final { deferred = false heightUnknown = false terminal.startChan <- fitpad{min(total, maxFit), padHeight} } } else if deferred { deferred = false terminal.startChan <- fitpad{-1, -1} } } useSnapshot := false var snapshot []*Chunk var count int restart := func(command commandSpec, environ []string) { if !useSnapshot { clearDenylist() } reading = true startTick = ticks chunkList.Clear() itemIndex = 0 inputRevision.bumpMajor() header = make([]string, 0, opts.HeaderLines) readyChan := make(chan bool) go reader.restart(command, environ, readyChan) <-readyChan } exitCode := ExitOk stop := false for { delay := true ticks++ input := func() []rune { paused, input := terminal.Input() if !paused { query = input } return query } eventBox.Wait(func(events *util.Events) { if _, fin := (*events)[EvtReadFin]; fin { delete(*events, EvtReadNew) } for evt, value := range *events { switch evt { case EvtQuit: if reading { reader.terminate() } quitSignal := value.(quitSignal) exitCode = quitSignal.code err = quitSignal.err stop = true return case EvtReadNew, EvtReadFin: if evt == EvtReadFin && nextCommand != nil { restart(*nextCommand, nextEnviron) nextCommand = nil nextEnviron = nil break } else { reading = reading && evt == EvtReadNew } if useSnapshot && evt == EvtReadFin { // reload-sync clearDenylist() useSnapshot = false } if !useSnapshot { if !snapshotRevision.compatible(inputRevision) { query = []rune{} } var changed bool snapshot, count, changed = chunkList.Snapshot(opts.Tail) if changed { inputRevision.bumpMinor() } snapshotRevision = inputRevision } total = count terminal.UpdateCount(total, !reading, value.(*string)) if heightUnknown && !deferred { determine(!reading) } matcher.Reset(snapshot, input(), false, !reading, sort, snapshotRevision) case EvtSearchNew: var command *commandSpec var environ []string var changed bool switch val := value.(type) { case searchRequest: sort = val.sort command = val.command environ = val.environ changed = val.changed bump := false if len(val.denylist) > 0 && val.revision.compatible(inputRevision) { denyMutex.Lock() for _, itemIndex := range val.denylist { denylist[itemIndex] = struct{}{} } denyMutex.Unlock() bump = true } if val.nth != nil { // Change nth and clear caches nth = *val.nth bump = true } if bump { patternCache = make(map[string]*Pattern) cache.Clear() inputRevision.bumpMinor() } if command != nil { useSnapshot = val.sync } } if command != nil { if reading { reader.terminate() nextCommand = command nextEnviron = environ } else { restart(*command, environ) } } if !changed { break } if !useSnapshot { newSnapshot, newCount, changed := chunkList.Snapshot(opts.Tail) if changed { inputRevision.bumpMinor() } // We want to avoid showing empty list when reload is triggered // and the query string is changed at the same time i.e. command != nil && changed if command == nil || newCount > 0 { if snapshotRevision != inputRevision { query = []rune{} } snapshot = newSnapshot snapshotRevision = inputRevision } } matcher.Reset(snapshot, input(), true, !reading, sort, snapshotRevision) delay = false case EvtSearchProgress: switch val := value.(type) { case float32: terminal.UpdateProgress(val) } case EvtHeader: headerPadded := make([]string, opts.HeaderLines) copy(headerPadded, value.([]string)) terminal.UpdateHeader(headerPadded) case EvtSearchFin: switch val := value.(type) { case MatchResult: merger := val.merger if deferred { count := merger.Length() if opts.Select1 && count > 1 || opts.Exit0 && !opts.Select1 && count > 0 { determine(merger.final) } else if merger.final { if opts.Exit0 && count == 0 || opts.Select1 && count == 1 { if opts.PrintQuery { opts.Printer(opts.Query) } if len(opts.Expect) > 0 { opts.Printer("") } transformer := buildItemTransformer(opts) for i := range count { opts.Printer(transformer(merger.Get(i).item)) } if count == 0 { exitCode = ExitNoMatch } stop = true return } determine(merger.final) } } terminal.UpdateList(val) } } } events.Clear() }) if stop { break } if delay && reading { dur := util.Constrain( time.Duration(ticks-startTick)*coordinatorDelayStep, 0, coordinatorDelayMax) time.Sleep(dur) } } return exitCode, err }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/pattern_test.go
src/pattern_test.go
package fzf import ( "reflect" "testing" "github.com/junegunn/fzf/src/algo" "github.com/junegunn/fzf/src/util" ) var slab *util.Slab func init() { slab = util.MakeSlab(slab16Size, slab32Size) } func TestParseTermsExtended(t *testing.T) { terms := parseTerms(true, CaseSmart, false, "aaa 'bbb ^ccc ddd$ !eee !'fff !^ggg !hhh$ | ^iii$ ^xxx | 'yyy | zzz$ | !ZZZ |") if len(terms) != 9 || terms[0][0].typ != termFuzzy || terms[0][0].inv || terms[1][0].typ != termExact || terms[1][0].inv || terms[2][0].typ != termPrefix || terms[2][0].inv || terms[3][0].typ != termSuffix || terms[3][0].inv || terms[4][0].typ != termExact || !terms[4][0].inv || terms[5][0].typ != termFuzzy || !terms[5][0].inv || terms[6][0].typ != termPrefix || !terms[6][0].inv || terms[7][0].typ != termSuffix || !terms[7][0].inv || terms[7][1].typ != termEqual || terms[7][1].inv || terms[8][0].typ != termPrefix || terms[8][0].inv || terms[8][1].typ != termExact || terms[8][1].inv || terms[8][2].typ != termSuffix || terms[8][2].inv || terms[8][3].typ != termExact || !terms[8][3].inv { t.Errorf("%v", terms) } for _, termSet := range terms[:8] { term := termSet[0] if len(term.text) != 3 { t.Errorf("%v", term) } } } func TestParseTermsExtendedExact(t *testing.T) { terms := parseTerms(false, CaseSmart, false, "aaa 'bbb ^ccc ddd$ !eee !'fff !^ggg !hhh$") if len(terms) != 8 || terms[0][0].typ != termExact || terms[0][0].inv || len(terms[0][0].text) != 3 || terms[1][0].typ != termFuzzy || terms[1][0].inv || len(terms[1][0].text) != 3 || terms[2][0].typ != termPrefix || terms[2][0].inv || len(terms[2][0].text) != 3 || terms[3][0].typ != termSuffix || terms[3][0].inv || len(terms[3][0].text) != 3 || terms[4][0].typ != termExact || !terms[4][0].inv || len(terms[4][0].text) != 3 || terms[5][0].typ != termFuzzy || !terms[5][0].inv || len(terms[5][0].text) != 3 || terms[6][0].typ != termPrefix || !terms[6][0].inv || len(terms[6][0].text) != 3 || terms[7][0].typ != termSuffix || !terms[7][0].inv || len(terms[7][0].text) != 3 { t.Errorf("%v", terms) } } func TestParseTermsEmpty(t *testing.T) { terms := parseTerms(true, CaseSmart, false, "' ^ !' !^") if len(terms) != 0 { t.Errorf("%v", terms) } } func buildPattern(fuzzy bool, fuzzyAlgo algo.Algo, extended bool, caseMode Case, normalize bool, forward bool, withPos bool, cacheable bool, nth []Range, delimiter Delimiter, runes []rune) *Pattern { return BuildPattern(NewChunkCache(), make(map[string]*Pattern), fuzzy, fuzzyAlgo, extended, caseMode, normalize, forward, withPos, cacheable, nth, delimiter, revision{}, runes, nil) } func TestExact(t *testing.T) { pattern := buildPattern(true, algo.FuzzyMatchV2, true, CaseSmart, false, true, false, true, []Range{}, Delimiter{}, []rune("'abc")) chars := util.ToChars([]byte("aabbcc abc")) res, pos := algo.ExactMatchNaive( pattern.caseSensitive, pattern.normalize, pattern.forward, &chars, pattern.termSets[0][0].text, true, nil) if res.Start != 7 || res.End != 10 { t.Errorf("%v / %d / %d", pattern.termSets, res.Start, res.End) } if pos != nil { t.Errorf("pos is expected to be nil") } } func TestEqual(t *testing.T) { pattern := buildPattern(true, algo.FuzzyMatchV2, true, CaseSmart, false, true, false, true, []Range{}, Delimiter{}, []rune("^AbC$")) match := func(str string, sidxExpected int, eidxExpected int) { chars := util.ToChars([]byte(str)) res, pos := algo.EqualMatch( pattern.caseSensitive, pattern.normalize, pattern.forward, &chars, pattern.termSets[0][0].text, true, nil) if res.Start != sidxExpected || res.End != eidxExpected { t.Errorf("%v / %d / %d", pattern.termSets, res.Start, res.End) } if pos != nil { t.Errorf("pos is expected to be nil") } } match("ABC", -1, -1) match("AbC", 0, 3) match("AbC ", 0, 3) match(" AbC ", 1, 4) match(" AbC", 2, 5) } func TestCaseSensitivity(t *testing.T) { pat1 := buildPattern(true, algo.FuzzyMatchV2, false, CaseSmart, false, true, false, true, []Range{}, Delimiter{}, []rune("abc")) pat2 := buildPattern(true, algo.FuzzyMatchV2, false, CaseSmart, false, true, false, true, []Range{}, Delimiter{}, []rune("Abc")) pat3 := buildPattern(true, algo.FuzzyMatchV2, false, CaseIgnore, false, true, false, true, []Range{}, Delimiter{}, []rune("abc")) pat4 := buildPattern(true, algo.FuzzyMatchV2, false, CaseIgnore, false, true, false, true, []Range{}, Delimiter{}, []rune("Abc")) pat5 := buildPattern(true, algo.FuzzyMatchV2, false, CaseRespect, false, true, false, true, []Range{}, Delimiter{}, []rune("abc")) pat6 := buildPattern(true, algo.FuzzyMatchV2, false, CaseRespect, false, true, false, true, []Range{}, Delimiter{}, []rune("Abc")) if string(pat1.text) != "abc" || pat1.caseSensitive != false || string(pat2.text) != "Abc" || pat2.caseSensitive != true || string(pat3.text) != "abc" || pat3.caseSensitive != false || string(pat4.text) != "abc" || pat4.caseSensitive != false || string(pat5.text) != "abc" || pat5.caseSensitive != true || string(pat6.text) != "Abc" || pat6.caseSensitive != true { t.Error("Invalid case conversion") } } func TestOrigTextAndTransformed(t *testing.T) { pattern := buildPattern(true, algo.FuzzyMatchV2, true, CaseSmart, false, true, false, true, []Range{}, Delimiter{}, []rune("jg")) tokens := Tokenize("junegunn", Delimiter{}) trans := Transform(tokens, []Range{{1, 1}}) origBytes := []byte("junegunn.choi") for _, extended := range []bool{false, true} { chunk := Chunk{count: 1} chunk.items[0] = Item{ text: util.ToChars([]byte("junegunn")), origText: &origBytes, transformed: &transformed{pattern.revision, trans}} pattern.extended = extended matches := pattern.matchChunk(&chunk, nil, slab) // No cache if !(matches[0].item.text.ToString() == "junegunn" && string(*matches[0].item.origText) == "junegunn.choi" && reflect.DeepEqual((*matches[0].item.transformed).tokens, trans)) { t.Error("Invalid match result", matches) } match, offsets, pos := pattern.MatchItem(&chunk.items[0], true, slab) if !(match.item.text.ToString() == "junegunn" && string(*match.item.origText) == "junegunn.choi" && offsets[0][0] == 0 && offsets[0][1] == 5 && reflect.DeepEqual((*match.item.transformed).tokens, trans)) { t.Error("Invalid match result", match, offsets, extended) } if !((*pos)[0] == 4 && (*pos)[1] == 0) { t.Error("Invalid pos array", *pos) } } } func TestCacheKey(t *testing.T) { test := func(extended bool, patStr string, expected string, cacheable bool) { pat := buildPattern(true, algo.FuzzyMatchV2, extended, CaseSmart, false, true, false, true, []Range{}, Delimiter{}, []rune(patStr)) if pat.CacheKey() != expected { t.Errorf("Expected: %s, actual: %s", expected, pat.CacheKey()) } if pat.cacheable != cacheable { t.Errorf("Expected: %t, actual: %t (%s)", cacheable, pat.cacheable, patStr) } } test(false, "foo !bar", "foo !bar", true) test(false, "foo | bar !baz", "foo | bar !baz", true) test(true, "foo bar baz", "foo\tbar\tbaz", true) test(true, "foo !bar", "foo", false) test(true, "foo !bar baz", "foo\tbaz", false) test(true, "foo | bar baz", "baz", false) test(true, "foo | bar | baz", "", false) test(true, "foo | bar !baz", "", false) test(true, "| | foo", "", false) test(true, "| | | foo", "foo", false) } func TestCacheable(t *testing.T) { test := func(fuzzy bool, str string, expected string, cacheable bool) { pat := buildPattern(fuzzy, algo.FuzzyMatchV2, true, CaseSmart, true, true, false, true, []Range{}, Delimiter{}, []rune(str)) if pat.CacheKey() != expected { t.Errorf("Expected: %s, actual: %s", expected, pat.CacheKey()) } if cacheable != pat.cacheable { t.Errorf("Invalid Pattern.cacheable for \"%s\": %v (expected: %v)", str, pat.cacheable, cacheable) } } test(true, "foo bar", "foo\tbar", true) test(true, "foo 'bar", "foo\tbar", false) test(true, "foo !bar", "foo", false) test(false, "foo bar", "foo\tbar", true) test(false, "foo 'bar", "foo", false) test(false, "foo '", "foo", true) test(false, "foo 'bar", "foo", false) test(false, "foo !bar", "foo", false) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/matcher.go
src/matcher.go
package fzf import ( "fmt" "runtime" "sort" "sync" "time" "github.com/junegunn/fzf/src/util" ) // MatchRequest represents a search request type MatchRequest struct { chunks []*Chunk pattern *Pattern final bool sort bool revision revision } type MatchResult struct { merger *Merger passMerger *Merger cancelled bool } func (mr MatchResult) cacheable() bool { return mr.merger != nil && mr.merger.cacheable() } func (mr MatchResult) final() bool { return mr.merger != nil && mr.merger.final } // Matcher is responsible for performing search type Matcher struct { cache *ChunkCache patternBuilder func([]rune) *Pattern sort bool tac bool eventBox *util.EventBox reqBox *util.EventBox partitions int slab []*util.Slab mergerCache map[string]MatchResult revision revision } const ( reqRetry util.EventType = iota reqReset ) // NewMatcher returns a new Matcher func NewMatcher(cache *ChunkCache, patternBuilder func([]rune) *Pattern, sort bool, tac bool, eventBox *util.EventBox, revision revision) *Matcher { partitions := min(numPartitionsMultiplier*runtime.NumCPU(), maxPartitions) return &Matcher{ cache: cache, patternBuilder: patternBuilder, sort: sort, tac: tac, eventBox: eventBox, reqBox: util.NewEventBox(), partitions: partitions, slab: make([]*util.Slab, partitions), mergerCache: make(map[string]MatchResult), revision: revision} } // Loop puts Matcher in action func (m *Matcher) Loop() { prevCount := 0 for { var request MatchRequest stop := false m.reqBox.Wait(func(events *util.Events) { for t, val := range *events { if t == reqQuit { stop = true return } switch val := val.(type) { case MatchRequest: request = val default: panic(fmt.Sprintf("Unexpected type: %T", val)) } } events.Clear() }) if stop { break } cacheCleared := false if request.sort != m.sort || request.revision != m.revision { m.sort = request.sort m.mergerCache = make(map[string]MatchResult) if !request.revision.compatible(m.revision) { m.cache.Clear() } m.revision = request.revision cacheCleared = true } // Restart search patternString := request.pattern.AsString() var result MatchResult count := CountItems(request.chunks) if !cacheCleared { if count == prevCount { // Look up mergerCache if cached, found := m.mergerCache[patternString]; found && cached.final() == request.final { result = cached } } else { // Invalidate mergerCache prevCount = count m.mergerCache = make(map[string]MatchResult) } } if result.merger == nil { result = m.scan(request) } if !result.cancelled { if result.cacheable() { m.mergerCache[patternString] = result } result.merger.final = request.final m.eventBox.Set(EvtSearchFin, result) } } } func (m *Matcher) sliceChunks(chunks []*Chunk) [][]*Chunk { partitions := m.partitions perSlice := len(chunks) / partitions if perSlice == 0 { partitions = len(chunks) perSlice = 1 } slices := make([][]*Chunk, partitions) for i := 0; i < partitions; i++ { start := i * perSlice end := start + perSlice if i == partitions-1 { end = len(chunks) } slices[i] = chunks[start:end] } return slices } type partialResult struct { index int matches []Result } func (m *Matcher) scan(request MatchRequest) MatchResult { startedAt := time.Now() numChunks := len(request.chunks) if numChunks == 0 { m := EmptyMerger(request.revision) return MatchResult{m, m, false} } pattern := request.pattern passMerger := PassMerger(&request.chunks, m.tac, request.revision) if pattern.IsEmpty() { return MatchResult{passMerger, passMerger, false} } minIndex := request.chunks[0].items[0].Index() maxIndex := request.chunks[numChunks-1].lastIndex(minIndex) cancelled := util.NewAtomicBool(false) slices := m.sliceChunks(request.chunks) numSlices := len(slices) resultChan := make(chan partialResult, numSlices) countChan := make(chan int, numChunks) waitGroup := sync.WaitGroup{} for idx, chunks := range slices { waitGroup.Add(1) if m.slab[idx] == nil { m.slab[idx] = util.MakeSlab(slab16Size, slab32Size) } go func(idx int, slab *util.Slab, chunks []*Chunk) { defer func() { waitGroup.Done() }() count := 0 allMatches := make([][]Result, len(chunks)) for idx, chunk := range chunks { matches := request.pattern.Match(chunk, slab) allMatches[idx] = matches count += len(matches) if cancelled.Get() { return } countChan <- len(matches) } sliceMatches := make([]Result, 0, count) for _, matches := range allMatches { sliceMatches = append(sliceMatches, matches...) } if m.sort && request.pattern.sortable { if m.tac { sort.Sort(ByRelevanceTac(sliceMatches)) } else { sort.Sort(ByRelevance(sliceMatches)) } } resultChan <- partialResult{idx, sliceMatches} }(idx, m.slab[idx], chunks) } wait := func() bool { cancelled.Set(true) waitGroup.Wait() return true } count := 0 matchCount := 0 for matchesInChunk := range countChan { count++ matchCount += matchesInChunk if count == numChunks { break } if m.reqBox.Peek(reqReset) { return MatchResult{nil, nil, wait()} } if time.Since(startedAt) > progressMinDuration { m.eventBox.Set(EvtSearchProgress, float32(count)/float32(numChunks)) } } partialResults := make([][]Result, numSlices) for range slices { partialResult := <-resultChan partialResults[partialResult.index] = partialResult.matches } merger := NewMerger(pattern, partialResults, m.sort && request.pattern.sortable, m.tac, request.revision, minIndex, maxIndex) return MatchResult{merger, passMerger, false} } // Reset is called to interrupt/signal the ongoing search func (m *Matcher) Reset(chunks []*Chunk, patternRunes []rune, cancel bool, final bool, sort bool, revision revision) { pattern := m.patternBuilder(patternRunes) var event util.EventType if cancel { event = reqReset } else { event = reqRetry } m.reqBox.Set(event, MatchRequest{chunks, pattern, final, sort, revision}) } func (m *Matcher) Stop() { m.reqBox.Set(reqQuit, nil) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/ansi.go
src/ansi.go
package fzf import ( "fmt" "strconv" "strings" "unicode/utf8" "github.com/junegunn/fzf/src/tui" ) type ansiOffset struct { offset [2]int32 color ansiState } type url struct { uri string params string } type ansiState struct { fg tui.Color bg tui.Color attr tui.Attr lbg tui.Color url *url } func (s *ansiState) colored() bool { return s.fg != -1 || s.bg != -1 || s.attr > 0 || s.lbg >= 0 || s.url != nil } func (s *ansiState) equals(t *ansiState) bool { if t == nil { return !s.colored() } return s.fg == t.fg && s.bg == t.bg && s.attr == t.attr && s.lbg == t.lbg && s.url == t.url } func (s *ansiState) ToString() string { if !s.colored() { return "" } ret := "" if s.attr&tui.Bold > 0 || s.attr&tui.BoldForce > 0 { ret += "1;" } if s.attr&tui.Dim > 0 { ret += "2;" } if s.attr&tui.Italic > 0 { ret += "3;" } if s.attr&tui.Underline > 0 { ret += "4;" } if s.attr&tui.Blink > 0 { ret += "5;" } if s.attr&tui.Reverse > 0 { ret += "7;" } if s.attr&tui.StrikeThrough > 0 { ret += "9;" } ret += toAnsiString(s.fg, 30) + toAnsiString(s.bg, 40) ret = "\x1b[" + strings.TrimSuffix(ret, ";") + "m" if s.url != nil { ret = fmt.Sprintf("\x1b]8;%s;%s\x1b\\%s\x1b]8;;\x1b", s.url.params, s.url.uri, ret) } return ret } func toAnsiString(color tui.Color, offset int) string { col := int(color) ret := "" if col == -1 { ret += strconv.Itoa(offset + 9) } else if col < 8 { ret += strconv.Itoa(offset + col) } else if col < 16 { ret += strconv.Itoa(offset - 30 + 90 + col - 8) } else if col < 256 { ret += strconv.Itoa(offset+8) + ";5;" + strconv.Itoa(col) } else if col >= (1 << 24) { r := strconv.Itoa((col >> 16) & 0xff) g := strconv.Itoa((col >> 8) & 0xff) b := strconv.Itoa(col & 0xff) ret += strconv.Itoa(offset+8) + ";2;" + r + ";" + g + ";" + b } return ret + ";" } func isPrint(c uint8) bool { return '\x20' <= c && c <= '\x7e' } func matchOperatingSystemCommand(s string, start int) int { // `\x1b][0-9][;:][[:print:]]+(?:\x1b\\\\|\x07)` // ^ match starting here after the first printable character // i := start // prefix matched in nextAnsiEscapeSequence() for ; i < len(s) && isPrint(s[i]); i++ { } if i < len(s) { if s[i] == '\x07' { return i + 1 } // `\x1b]8;PARAMS;URI\x1b\\TITLE\x1b]8;;\x1b` // ------ if s[i] == '\x1b' && i < len(s)-1 && s[i+1] == '\\' { return i + 2 } } // `\x1b]8;PARAMS;URI\x1b\\TITLE\x1b]8;;\x1b` // ------------ if i < len(s) && s[:i+1] == "\x1b]8;;\x1b" { return i + 1 } return -1 } func matchControlSequence(s string) int { // `\x1b[\\[()][0-9;:?]*[a-zA-Z@]` // ^ match starting here // i := 2 // prefix matched in nextAnsiEscapeSequence() for ; i < len(s); i++ { c := s[i] switch c { case '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', ';', ':', '?': // ok default: if 'a' <= c && c <= 'z' || 'A' <= c && c <= 'Z' || c == '@' { return i + 1 } return -1 } } return -1 } func isCtrlSeqStart(c uint8) bool { switch c { case '\\', '[', '(', ')': return true } return false } // nextAnsiEscapeSequence returns the ANSI escape sequence and is equivalent to // calling FindStringIndex() on the below regex (which was originally used): // // "(?:\x1b[\\[()][0-9;:?]*[a-zA-Z@]|\x1b][0-9]+[;:][[:print:]]+(?:\x1b\\\\|\x07)|\x1b.|[\x0e\x0f]|.\x08|\n)" func nextAnsiEscapeSequence(s string) (int, int) { // fast check for ANSI escape sequences i := 0 for ; i < len(s); i++ { switch s[i] { case '\x0e', '\x0f', '\x1b', '\x08', '\n': // We ignore the fact that '\x08' cannot be the first char // in the string and be an escape sequence for the sake of // speed and simplicity. goto Loop } } return -1, -1 Loop: for ; i < len(s); i++ { switch s[i] { case '\n': // match: `\n` return i, i + 1 case '\x08': // backtrack to match: `.\x08` if i > 0 && s[i-1] != '\n' { if s[i-1] < utf8.RuneSelf { return i - 1, i + 1 } _, n := utf8.DecodeLastRuneInString(s[:i]) return i - n, i + 1 } case '\x1b': // match: `\x1b[\\[()][0-9;:?]*[a-zA-Z@]` if i+2 < len(s) && isCtrlSeqStart(s[i+1]) { if j := matchControlSequence(s[i:]); j != -1 { return i, i + j } } // match: `\x1b][0-9]+[;:][[:print:]]+(?:\x1b\\\\|\x07)` if i+5 < len(s) && s[i+1] == ']' { j := 2 // \x1b][0-9]+[;:][[:print:]]+(?:\x1b\\\\|\x07) // ------ for ; i+j < len(s) && isNumeric(s[i+j]); j++ { } // \x1b][0-9]+[;:][[:print:]]+(?:\x1b\\\\|\x07) // --------------- if j > 2 && i+j+1 < len(s) && (s[i+j] == ';' || s[i+j] == ':') && isPrint(s[i+j+1]) { if k := matchOperatingSystemCommand(s[i:], j+2); k != -1 { return i, i + k } } } // match: `\x1b.` if i+1 < len(s) && s[i+1] != '\n' { if s[i+1] < utf8.RuneSelf { return i, i + 2 } _, n := utf8.DecodeRuneInString(s[i+1:]) return i, i + n + 1 } case '\x0e', '\x0f': // match: `[\x0e\x0f]` return i, i + 1 } } return -1, -1 } func extractColor(str string, state *ansiState, proc func(string, *ansiState) bool) (string, *[]ansiOffset, *ansiState) { // We append to a stack allocated variable that we'll // later copy and return, to save on allocations. offsets := make([]ansiOffset, 0, 32) if state != nil { offsets = append(offsets, ansiOffset{[2]int32{0, 0}, *state}) } var ( pstate *ansiState // lazily allocated output strings.Builder prevIdx int runeCount int ) for idx := 0; idx < len(str); { // Make sure that we found an ANSI code start, end := nextAnsiEscapeSequence(str[idx:]) if start == -1 { break } start += idx idx += end // Check if we should continue prev := str[prevIdx:start] if proc != nil && !proc(prev, state) { return "", nil, nil } prevIdx = idx if len(prev) != 0 { runeCount += utf8.RuneCountInString(prev) // Grow the buffer size to the maximum possible length (string length // containing ansi codes) to avoid repetitive allocation if output.Cap() == 0 { output.Grow(len(str)) } output.WriteString(prev) } code := str[start:idx] newState := interpretCode(code, state) if code == "\n" || !newState.equals(state) { if state != nil { // Update last offset (&offsets[len(offsets)-1]).offset[1] = int32(runeCount) } if code == "\n" { output.WriteRune('\n') runeCount++ // Full-background marker if newState.lbg >= 0 { marker := newState marker.attr |= tui.FullBg offsets = append(offsets, ansiOffset{ [2]int32{int32(runeCount), int32(runeCount)}, marker, }) // Reset the full-line background color newState.lbg = -1 } } if newState.colored() { // Append new offset if pstate == nil { pstate = &ansiState{} } *pstate = newState state = pstate offsets = append(offsets, ansiOffset{ [2]int32{int32(runeCount), int32(runeCount)}, newState, }) } else { // Discard state state = nil } } } var rest string var trimmed string if prevIdx == 0 { // No ANSI code found rest = str trimmed = str } else { rest = str[prevIdx:] output.WriteString(rest) trimmed = output.String() } if proc != nil { proc(rest, state) } if len(offsets) > 0 { if len(rest) > 0 && state != nil { // Update last offset runeCount += utf8.RuneCountInString(rest) (&offsets[len(offsets)-1]).offset[1] = int32(runeCount) } // Return a copy of the offsets slice a := make([]ansiOffset, len(offsets)) copy(a, offsets) return trimmed, &a, state } return trimmed, nil, state } func parseAnsiCode(s string) (int, string) { var remaining string var i int // Faster than strings.IndexAny(";:") i = strings.IndexByte(s, ';') if i < 0 { i = strings.IndexByte(s, ':') } if i >= 0 { remaining = s[i+1:] s = s[:i] } if len(s) > 0 { // Inlined version of strconv.Atoi() that only handles positive // integers and does not allocate on error. code := 0 for _, ch := range stringBytes(s) { ch -= '0' if ch > 9 { return -1, remaining } code = code*10 + int(ch) } return code, remaining } return -1, remaining } func interpretCode(ansiCode string, prevState *ansiState) ansiState { if ansiCode == "\n" { if prevState != nil { return *prevState } return ansiState{-1, -1, 0, -1, nil} } var state ansiState if prevState == nil { state = ansiState{-1, -1, 0, -1, nil} } else { state = ansiState{prevState.fg, prevState.bg, prevState.attr, prevState.lbg, prevState.url} } if ansiCode[0] != '\x1b' || ansiCode[1] != '[' || ansiCode[len(ansiCode)-1] != 'm' { if prevState != nil && (strings.HasSuffix(ansiCode, "0K") || strings.HasSuffix(ansiCode, "[K")) { state.lbg = prevState.bg } else if strings.HasPrefix(ansiCode, "\x1b]8;") && (strings.HasSuffix(ansiCode, "\x1b\\") || strings.HasSuffix(ansiCode, "\a")) { stLen := 2 if strings.HasSuffix(ansiCode, "\a") { stLen = 1 } // "\x1b]8;;\x1b\\" or "\x1b]8;;\a" if len(ansiCode) == 5+stLen && ansiCode[4] == ';' { state.url = nil } else if paramsEnd := strings.IndexRune(ansiCode[4:], ';'); paramsEnd >= 0 { params := ansiCode[4 : 4+paramsEnd] uri := ansiCode[5+paramsEnd : len(ansiCode)-stLen] state.url = &url{uri: uri, params: params} } } return state } reset := func() { state.fg = -1 state.bg = -1 state.attr = 0 } if len(ansiCode) <= 3 { reset() return state } ansiCode = ansiCode[2 : len(ansiCode)-1] state256 := 0 ptr := &state.fg count := 0 for len(ansiCode) != 0 { var num int if num, ansiCode = parseAnsiCode(ansiCode); num != -1 { count++ switch state256 { case 0: switch num { case 38: ptr = &state.fg state256++ case 48: ptr = &state.bg state256++ case 39: state.fg = -1 case 49: state.bg = -1 case 1: state.attr = state.attr | tui.Bold case 2: state.attr = state.attr | tui.Dim case 3: state.attr = state.attr | tui.Italic case 4: state.attr = state.attr | tui.Underline case 5: state.attr = state.attr | tui.Blink case 7: state.attr = state.attr | tui.Reverse case 9: state.attr = state.attr | tui.StrikeThrough case 22: state.attr = state.attr &^ tui.Bold state.attr = state.attr &^ tui.Dim case 23: // tput rmso state.attr = state.attr &^ tui.Italic case 24: // tput rmul state.attr = state.attr &^ tui.Underline case 25: state.attr = state.attr &^ tui.Blink case 27: state.attr = state.attr &^ tui.Reverse case 29: state.attr = state.attr &^ tui.StrikeThrough case 0: reset() state256 = 0 default: if num >= 30 && num <= 37 { state.fg = tui.Color(num - 30) } else if num >= 40 && num <= 47 { state.bg = tui.Color(num - 40) } else if num >= 90 && num <= 97 { state.fg = tui.Color(num - 90 + 8) } else if num >= 100 && num <= 107 { state.bg = tui.Color(num - 100 + 8) } } case 1: switch num { case 2: state256 = 10 // MAGIC case 5: state256++ default: state256 = 0 } case 2: *ptr = tui.Color(num) state256 = 0 case 10: *ptr = tui.Color(1<<24) | tui.Color(num<<16) state256++ case 11: *ptr = *ptr | tui.Color(num<<8) state256++ case 12: *ptr = *ptr | tui.Color(num) state256 = 0 } } } // Empty sequence: reset if count == 0 { reset() } if state256 > 0 { *ptr = -1 } return state }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/item.go
src/item.go
package fzf import ( "math" "github.com/junegunn/fzf/src/util" ) type transformed struct { // Because nth can be changed dynamically by change-nth action, we need to // keep the revision number at the time of transformation. revision revision tokens []Token } // Item represents each input line. 56 bytes. type Item struct { text util.Chars // 32 = 24 + 1 + 1 + 2 + 4 transformed *transformed // 8 origText *[]byte // 8 colors *[]ansiOffset // 8 } // Index returns ordinal index of the Item func (item *Item) Index() int32 { return item.text.Index } var minItem = Item{text: util.Chars{Index: math.MinInt32}} func (item *Item) TrimLength() uint16 { return item.text.TrimLength() } // Colors returns ansiOffsets of the Item func (item *Item) Colors() []ansiOffset { if item.colors == nil { return []ansiOffset{} } return *item.colors } // AsString returns the original string func (item *Item) AsString(stripAnsi bool) string { if item.origText != nil { if stripAnsi { trimmed, _, _ := extractColor(string(*item.origText), nil, nil) return trimmed } return string(*item.origText) } return item.text.ToString() } func (item *Item) acceptNth(stripAnsi bool, delimiter Delimiter, transformer func([]Token, int32) string) string { tokens := Tokenize(item.AsString(stripAnsi), delimiter) transformed := transformer(tokens, item.Index()) return StripLastDelimiter(transformed, delimiter) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/proxy_windows.go
src/proxy_windows.go
//go:build windows package fzf import ( "fmt" "io" "os/exec" "strconv" "strings" "sync/atomic" ) var shPath atomic.Value func sh(bash bool) (string, error) { if cached := shPath.Load(); cached != nil { return cached.(string), nil } name := "sh" if bash { name = "bash" } cmd := exec.Command("cygpath", "-w", "/usr/bin/"+name) bytes, err := cmd.Output() if err != nil { return "", err } sh := strings.TrimSpace(string(bytes)) shPath.Store(sh) return sh, nil } func mkfifo(path string, mode uint32) (string, error) { m := strconv.FormatUint(uint64(mode), 8) sh, err := sh(false) if err != nil { return path, err } cmd := exec.Command(sh, "-c", fmt.Sprintf(`command mkfifo -m %s %q`, m, path)) if err := cmd.Run(); err != nil { return path, err } return path + ".lnk", nil } func withOutputPipe(output string, task func(io.ReadCloser)) error { sh, err := sh(false) if err != nil { return err } cmd := exec.Command(sh, "-c", fmt.Sprintf(`command cat %q`, output)) outputFile, err := cmd.StdoutPipe() if err != nil { return err } if err := cmd.Start(); err != nil { return err } task(outputFile) cmd.Wait() return nil } func withInputPipe(input string, task func(io.WriteCloser)) error { sh, err := sh(false) if err != nil { return err } cmd := exec.Command(sh, "-c", fmt.Sprintf(`command cat - > %q`, input)) inputFile, err := cmd.StdinPipe() if err != nil { return err } if err := cmd.Start(); err != nil { return err } task(inputFile) inputFile.Close() cmd.Wait() return nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/proxy_unix.go
src/proxy_unix.go
//go:build !windows package fzf import ( "io" "os" "golang.org/x/sys/unix" ) func sh(bash bool) (string, error) { if bash { return "bash", nil } return "sh", nil } func mkfifo(path string, mode uint32) (string, error) { return path, unix.Mkfifo(path, mode) } func withOutputPipe(output string, task func(io.ReadCloser)) error { outputFile, err := os.OpenFile(output, os.O_RDONLY, 0) if err != nil { return err } task(outputFile) outputFile.Close() return nil } func withInputPipe(input string, task func(io.WriteCloser)) error { inputFile, err := os.OpenFile(input, os.O_WRONLY, 0) if err != nil { return err } task(inputFile) inputFile.Close() return nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/atexit_test.go
src/util/atexit_test.go
package util import ( "reflect" "testing" ) func TestAtExit(t *testing.T) { want := []int{3, 2, 1, 0} var called []int for i := range 4 { n := i AtExit(func() { called = append(called, n) }) } RunAtExitFuncs() if !reflect.DeepEqual(called, want) { t.Errorf("AtExit: want call order: %v got: %v", want, called) } RunAtExitFuncs() if !reflect.DeepEqual(called, want) { t.Error("AtExit: should only call exit funcs once") } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/eventbox.go
src/util/eventbox.go
package util import "sync" // EventType is the type for fzf events type EventType int // Events is a type that associates EventType to any data type Events map[EventType]any // EventBox is used for coordinating events type EventBox struct { events Events cond *sync.Cond ignore map[EventType]bool } // NewEventBox returns a new EventBox func NewEventBox() *EventBox { return &EventBox{ events: make(Events), cond: sync.NewCond(&sync.Mutex{}), ignore: make(map[EventType]bool)} } // Wait blocks the goroutine until signaled func (b *EventBox) Wait(callback func(*Events)) { b.cond.L.Lock() if len(b.events) == 0 { b.cond.Wait() } callback(&b.events) b.cond.L.Unlock() } // Set turns on the event type on the box func (b *EventBox) Set(event EventType, value any) { b.cond.L.Lock() b.events[event] = value if _, found := b.ignore[event]; !found { b.cond.Broadcast() } b.cond.L.Unlock() } // Clear clears the events // Unsynchronized; should be called within Wait routine func (events *Events) Clear() { for event := range *events { delete(*events, event) } } // Peek peeks at the event box if the given event is set func (b *EventBox) Peek(event EventType) bool { b.cond.L.Lock() _, ok := b.events[event] b.cond.L.Unlock() return ok } // Watch deletes the events from the ignore list func (b *EventBox) Watch(events ...EventType) { b.cond.L.Lock() for _, event := range events { delete(b.ignore, event) } b.cond.L.Unlock() } // Unwatch adds the events to the ignore list func (b *EventBox) Unwatch(events ...EventType) { b.cond.L.Lock() for _, event := range events { b.ignore[event] = true } b.cond.L.Unlock() } // WaitFor blocks the execution until the event is received func (b *EventBox) WaitFor(event EventType) { looping := true for looping { b.Wait(func(events *Events) { for evt := range *events { switch evt { case event: looping = false return } } }) } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/atomicbool_test.go
src/util/atomicbool_test.go
package util import "testing" func TestAtomicBool(t *testing.T) { if !NewAtomicBool(true).Get() || NewAtomicBool(false).Get() { t.Error("Invalid initial value") } ab := NewAtomicBool(true) if ab.Set(false) { t.Error("Invalid return value") } if ab.Get() { t.Error("Invalid state") } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/atexit.go
src/util/atexit.go
package util import ( "sync" ) var atExitFuncs []func() // AtExit registers the function fn to be called on program termination. // The functions will be called in reverse order they were registered. func AtExit(fn func()) { if fn == nil { panic("AtExit called with nil func") } once := &sync.Once{} atExitFuncs = append(atExitFuncs, func() { once.Do(fn) }) } // RunAtExitFuncs runs any functions registered with AtExit(). func RunAtExitFuncs() { fns := atExitFuncs for i := len(fns) - 1; i >= 0; i-- { fns[i]() } atExitFuncs = nil }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/util_unix.go
src/util/util_unix.go
//go:build !windows package util import ( "fmt" "os" "os/exec" "strings" "syscall" "golang.org/x/sys/unix" ) type Executor struct { shell string args []string escaper *strings.Replacer } func NewExecutor(withShell string) *Executor { shell := os.Getenv("SHELL") args := strings.Fields(withShell) if len(args) > 0 { shell = args[0] args = args[1:] } else { if len(shell) == 0 { shell = "sh" } args = []string{"-c"} } var escaper *strings.Replacer tokens := strings.Split(shell, "/") if tokens[len(tokens)-1] == "fish" { // https://fishshell.com/docs/current/language.html#quotes // > The only meaningful escape sequences in single quotes are \', which // > escapes a single quote and \\, which escapes the backslash symbol. escaper = strings.NewReplacer("\\", "\\\\", "'", "\\'") } else { escaper = strings.NewReplacer("'", "'\\''") } return &Executor{shell, args, escaper} } // ExecCommand executes the given command with $SHELL func (x *Executor) ExecCommand(command string, setpgid bool) *exec.Cmd { cmd := exec.Command(x.shell, append(x.args, command)...) if setpgid { cmd.SysProcAttr = &syscall.SysProcAttr{Setpgid: true} } return cmd } func (x *Executor) QuoteEntry(entry string) string { return "'" + x.escaper.Replace(entry) + "'" } func (x *Executor) Become(stdin *os.File, environ []string, command string) { shellPath, err := exec.LookPath(x.shell) if err != nil { fmt.Fprintf(os.Stderr, "fzf (become): %s\n", err.Error()) os.Exit(127) } args := append([]string{shellPath}, append(x.args, command)...) SetStdin(stdin) syscall.Exec(shellPath, args, environ) } // KillCommand kills the process for the given command func KillCommand(cmd *exec.Cmd) error { return syscall.Kill(-cmd.Process.Pid, syscall.SIGKILL) } // IsWindows returns true on Windows func IsWindows() bool { return false } // SetNonblock executes syscall.SetNonblock on file descriptor func SetNonblock(file *os.File, nonblock bool) { syscall.SetNonblock(int(file.Fd()), nonblock) } // Read executes syscall.Read on file descriptor func Read(fd int, b []byte) (int, error) { return syscall.Read(int(fd), b) } func SetStdin(file *os.File) { unix.Dup2(int(file.Fd()), 0) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/util.go
src/util/util.go
package util import ( "cmp" "math" "os" "strconv" "strings" "github.com/mattn/go-isatty" "github.com/rivo/uniseg" ) // StringWidth returns string width where each CR/LF character takes 1 column func StringWidth(s string) int { return uniseg.StringWidth(s) + strings.Count(s, "\n") + strings.Count(s, "\r") } // RunesWidth returns runes width func RunesWidth(runes []rune, prefixWidth int, tabstop int, limit int) (int, int) { width := 0 gr := uniseg.NewGraphemes(string(runes)) idx := 0 for gr.Next() { rs := gr.Runes() var w int if len(rs) == 1 && rs[0] == '\t' { w = tabstop - (prefixWidth+width)%tabstop } else { w = StringWidth(string(rs)) } width += w if width > limit { return width, idx } idx += len(rs) } return width, -1 } // Truncate returns the truncated runes and its width func Truncate(input string, limit int) ([]rune, int) { runes := []rune{} width := 0 gr := uniseg.NewGraphemes(input) for gr.Next() { rs := gr.Runes() w := StringWidth(string(rs)) if width+w > limit { return runes, width } width += w runes = append(runes, rs...) } return runes, width } func Constrain[T cmp.Ordered](val, minimum, maximum T) T { return max(min(val, maximum), minimum) } func AsUint16(val int) uint16 { if val > math.MaxUint16 { return math.MaxUint16 } else if val < 0 { return 0 } return uint16(val) } // IsTty returns true if the file is a terminal func IsTty(file *os.File) bool { fd := file.Fd() return isatty.IsTerminal(fd) || isatty.IsCygwinTerminal(fd) } // RunOnce runs the given function only once func RunOnce(f func()) func() { once := Once(true) return func() { if once() { f() } } } // Once returns a function that returns the specified boolean value only once func Once(nextResponse bool) func() bool { state := nextResponse return func() bool { prevState := state state = !nextResponse return prevState } } // RepeatToFill repeats the given string to fill the given width func RepeatToFill(str string, length int, limit int) string { times := limit / length rest := limit % length output := strings.Repeat(str, times) if rest > 0 { for _, r := range str { rest -= uniseg.StringWidth(string(r)) if rest < 0 { break } output += string(r) if rest == 0 { break } } } return output } // ToKebabCase converts the given CamelCase string to kebab-case func ToKebabCase(s string) string { name := "" for i, r := range s { if i > 0 && r >= 'A' && r <= 'Z' { name += "-" } name += string(r) } return strings.ToLower(name) } // CompareVersions compares two version strings func CompareVersions(v1, v2 string) int { parts1 := strings.Split(v1, ".") parts2 := strings.Split(v2, ".") atoi := func(s string) int { n, e := strconv.Atoi(s) if e != nil { return 0 } return n } for i := 0; i < max(len(parts1), len(parts2)); i++ { var p1, p2 int if i < len(parts1) { p1 = atoi(parts1[i]) } if i < len(parts2) { p2 = atoi(parts2[i]) } if p1 > p2 { return 1 } else if p1 < p2 { return -1 } } return 0 }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/util_windows.go
src/util/util_windows.go
//go:build windows package util import ( "fmt" "os" "os/exec" "path/filepath" "regexp" "strings" "sync/atomic" "syscall" ) type shellType int const ( shellTypeUnknown shellType = iota shellTypeCmd shellTypePowerShell ) var escapeRegex = regexp.MustCompile(`[&|<>()^%!"]`) type Executor struct { shell string shellType shellType args []string shellPath atomic.Value } func NewExecutor(withShell string) *Executor { shell := os.Getenv("SHELL") args := strings.Fields(withShell) if len(args) > 0 { shell = args[0] } else if len(shell) == 0 { shell = "cmd" } shellType := shellTypeUnknown basename := filepath.Base(shell) if len(args) > 0 { args = args[1:] } else if strings.HasPrefix(basename, "cmd") { shellType = shellTypeCmd args = []string{"/s/c"} } else if strings.HasPrefix(basename, "pwsh") || strings.HasPrefix(basename, "powershell") { shellType = shellTypePowerShell args = []string{"-NoProfile", "-Command"} } else { args = []string{"-c"} } return &Executor{shell: shell, shellType: shellType, args: args} } // ExecCommand executes the given command with $SHELL // FIXME: setpgid is unused. We set it in the Unix implementation so that we // can kill preview process with its child processes at once. // NOTE: For "powershell", we should ideally set output encoding to UTF8, // but it is left as is now because no adverse effect has been observed. func (x *Executor) ExecCommand(command string, setpgid bool) *exec.Cmd { shell := x.shell if cached := x.shellPath.Load(); cached != nil { shell = cached.(string) } else { if strings.Contains(shell, "/") { out, err := exec.Command("cygpath", "-w", shell).Output() if err == nil { shell = strings.Trim(string(out), "\n") } } x.shellPath.Store(shell) } var cmd *exec.Cmd if x.shellType == shellTypeCmd { cmd = exec.Command(shell) cmd.SysProcAttr = &syscall.SysProcAttr{ HideWindow: false, CmdLine: fmt.Sprintf(`%s "%s"`, strings.Join(x.args, " "), command), CreationFlags: 0, } } else { cmd = exec.Command(shell, append(x.args, command)...) cmd.SysProcAttr = &syscall.SysProcAttr{ HideWindow: false, CreationFlags: 0, } } return cmd } func (x *Executor) Become(stdin *os.File, environ []string, command string) { cmd := x.ExecCommand(command, false) cmd.Stdin = stdin cmd.Stdout = os.Stdout cmd.Stderr = os.Stderr cmd.Env = environ err := cmd.Start() if err != nil { fmt.Fprintf(os.Stderr, "fzf (become): %s\n", err.Error()) os.Exit(127) } err = cmd.Wait() if err != nil { if exitError, ok := err.(*exec.ExitError); ok { os.Exit(exitError.ExitCode()) } } os.Exit(0) } func escapeArg(s string) string { b := make([]byte, 0, len(s)+2) b = append(b, '"') slashes := 0 for i := 0; i < len(s); i++ { c := s[i] switch c { default: slashes = 0 case '\\': slashes++ case '"': for ; slashes > 0; slashes-- { b = append(b, '\\') } b = append(b, '\\') } b = append(b, c) } for ; slashes > 0; slashes-- { b = append(b, '\\') } b = append(b, '"') return escapeRegex.ReplaceAllStringFunc(string(b), func(match string) string { return "^" + match }) } func (x *Executor) QuoteEntry(entry string) string { switch x.shellType { case shellTypeCmd: /* Manually tested with the following commands: fzf --preview "echo {}" fzf --preview "type {}" echo .git\refs\| fzf --preview "dir {}" echo .git\refs\\| fzf --preview "dir {}" echo .git\refs\\\| fzf --preview "dir {}" reg query HKCU | fzf --reverse --bind "enter:reload(reg query {})" fzf --disabled --preview "echo {q} {n} {}" --query "&|<>()@^%!" fd -H --no-ignore -td -d 4 | fzf --preview "dir {}" fd -H --no-ignore -td -d 4 | fzf --preview "eza {}" --preview-window up fd -H --no-ignore -td -d 4 | fzf --preview "eza --color=always --tree --level=3 --icons=always {}" fd -H --no-ignore -td -d 4 | fzf --preview ".\eza.exe --color=always --tree --level=3 --icons=always {}" --with-shell "powershell -NoProfile -Command" */ return escapeArg(entry) case shellTypePowerShell: escaped := strings.ReplaceAll(entry, `"`, `\"`) return "'" + strings.ReplaceAll(escaped, "'", "''") + "'" default: return "'" + strings.ReplaceAll(entry, "'", "'\\''") + "'" } } // KillCommand kills the process for the given command func KillCommand(cmd *exec.Cmd) error { return cmd.Process.Kill() } // IsWindows returns true on Windows func IsWindows() bool { return true } // SetNonblock executes syscall.SetNonblock on file descriptor func SetNonblock(file *os.File, nonblock bool) { syscall.SetNonblock(syscall.Handle(file.Fd()), nonblock) } // Read executes syscall.Read on file descriptor func Read(fd int, b []byte) (int, error) { return syscall.Read(syscall.Handle(fd), b) } func SetStdin(file *os.File) { // No-op }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/concurrent_set.go
src/util/concurrent_set.go
package util import "sync" // ConcurrentSet is a thread-safe set implementation. type ConcurrentSet[T comparable] struct { lock sync.RWMutex items map[T]struct{} } // NewConcurrentSet creates a new ConcurrentSet. func NewConcurrentSet[T comparable]() *ConcurrentSet[T] { return &ConcurrentSet[T]{ items: make(map[T]struct{}), } } // Add adds an item to the set. func (s *ConcurrentSet[T]) Add(item T) { s.lock.Lock() defer s.lock.Unlock() s.items[item] = struct{}{} } // Remove removes an item from the set. func (s *ConcurrentSet[T]) Remove(item T) { s.lock.Lock() defer s.lock.Unlock() delete(s.items, item) } // ForEach iterates over each item in the set and applies the provided function. func (s *ConcurrentSet[T]) ForEach(fn func(item T)) { s.lock.RLock() defer s.lock.RUnlock() for item := range s.items { fn(item) } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/eventbox_test.go
src/util/eventbox_test.go
package util import "testing" // fzf events const ( EvtReadNew EventType = iota EvtReadFin EvtSearchNew EvtSearchProgress EvtSearchFin ) func TestEventBox(t *testing.T) { eb := NewEventBox() // Wait should return immediately ch := make(chan bool) go func() { eb.Set(EvtReadNew, 10) ch <- true <-ch eb.Set(EvtSearchNew, 10) eb.Set(EvtSearchNew, 15) eb.Set(EvtSearchNew, 20) eb.Set(EvtSearchProgress, 30) ch <- true <-ch eb.Set(EvtSearchFin, 40) ch <- true <-ch }() count := 0 sum := 0 looping := true for looping { <-ch eb.Wait(func(events *Events) { for _, value := range *events { switch val := value.(type) { case int: sum += val looping = sum < 100 } } events.Clear() }) ch <- true count++ } if count != 3 { t.Error("Invalid number of events", count) } if sum != 100 { t.Error("Invalid sum", sum) } }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/chars_test.go
src/util/chars_test.go
package util import ( "fmt" "testing" ) func TestToCharsAscii(t *testing.T) { chars := ToChars([]byte("foobar")) if !chars.inBytes || chars.ToString() != "foobar" || !chars.inBytes { t.Error() } } func TestCharsLength(t *testing.T) { chars := ToChars([]byte("\tabc한글 ")) if chars.inBytes || chars.Length() != 8 || chars.TrimLength() != 5 { t.Error() } } func TestCharsToString(t *testing.T) { text := "\tabc한글 " chars := ToChars([]byte(text)) if chars.ToString() != text { t.Error() } } func TestTrimLength(t *testing.T) { check := func(str string, exp uint16) { chars := ToChars([]byte(str)) trimmed := chars.TrimLength() if trimmed != exp { t.Errorf("Invalid TrimLength result for '%s': %d (expected %d)", str, trimmed, exp) } } check("hello", 5) check("hello ", 5) check("hello ", 5) check(" hello", 5) check(" hello", 5) check(" hello ", 5) check(" hello ", 5) check("h o", 5) check(" h o ", 5) check(" ", 0) } func TestCharsLines(t *testing.T) { chars := ToChars([]byte("abcdef\n가나다\n\tdef")) check := func(multiLine bool, maxLines int, wrapCols int, wrapSignWidth int, tabstop int, expectedNumLines int, expectedOverflow bool) { lines, overflow := chars.Lines(multiLine, maxLines, wrapCols, wrapSignWidth, tabstop) fmt.Println(lines, overflow) if len(lines) != expectedNumLines || overflow != expectedOverflow { t.Errorf("Invalid result: %d %v (expected %d %v)", len(lines), overflow, expectedNumLines, expectedOverflow) } } // No wrap check(true, 1, 0, 0, 8, 1, true) check(true, 2, 0, 0, 8, 2, true) check(true, 3, 0, 0, 8, 3, false) // Wrap (2) check(true, 4, 2, 0, 8, 4, true) check(true, 5, 2, 0, 8, 5, true) check(true, 6, 2, 0, 8, 6, true) check(true, 7, 2, 0, 8, 7, true) check(true, 8, 2, 0, 8, 8, true) check(true, 9, 2, 0, 8, 9, false) check(true, 9, 2, 0, 1, 8, false) // Smaller tab size // With wrap sign (3 + 1) check(true, 100, 3, 1, 1, 8, false) // With wrap sign (3 + 2) check(true, 100, 3, 2, 1, 10, false) // With wrap sign (3 + 2) and no multi-line check(false, 100, 3, 2, 1, 13, false) }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/chars.go
src/util/chars.go
package util import ( "bytes" "fmt" "unicode" "unicode/utf8" "unsafe" ) const ( overflow64 uint64 = 0x8080808080808080 overflow32 uint32 = 0x80808080 ) type Chars struct { slice []byte // or []rune inBytes bool trimLengthKnown bool trimLength uint16 // XXX Piggybacking item index here is a horrible idea. But I'm trying to // minimize the memory footprint by not wasting padded spaces. Index int32 } func checkAscii(bytes []byte) (bool, int) { i := 0 for ; i <= len(bytes)-8; i += 8 { if (overflow64 & *(*uint64)(unsafe.Pointer(&bytes[i]))) > 0 { return false, i } } for ; i <= len(bytes)-4; i += 4 { if (overflow32 & *(*uint32)(unsafe.Pointer(&bytes[i]))) > 0 { return false, i } } for ; i < len(bytes); i++ { if bytes[i] >= utf8.RuneSelf { return false, i } } return true, 0 } // ToChars converts byte array into rune array func ToChars(bytes []byte) Chars { inBytes, bytesUntil := checkAscii(bytes) if inBytes { return Chars{slice: bytes, inBytes: inBytes} } runes := make([]rune, bytesUntil, len(bytes)) for i := range bytesUntil { runes[i] = rune(bytes[i]) } for i := bytesUntil; i < len(bytes); { r, sz := utf8.DecodeRune(bytes[i:]) i += sz runes = append(runes, r) } return RunesToChars(runes) } func RunesToChars(runes []rune) Chars { return Chars{slice: *(*[]byte)(unsafe.Pointer(&runes)), inBytes: false} } func (chars *Chars) IsBytes() bool { return chars.inBytes } func (chars *Chars) Bytes() []byte { return chars.slice } func (chars *Chars) NumLines(atMost int) (int, bool) { lines := 1 if runes := chars.optionalRunes(); runes != nil { for _, r := range runes { if r == '\n' { lines++ } if lines > atMost { return atMost, true } } return lines, false } for idx := 0; idx < len(chars.slice); idx++ { found := bytes.IndexByte(chars.slice[idx:], '\n') if found < 0 { break } idx += found lines++ if lines > atMost { return atMost, true } } return lines, false } func (chars *Chars) optionalRunes() []rune { if chars.inBytes { return nil } return *(*[]rune)(unsafe.Pointer(&chars.slice)) } func (chars *Chars) Get(i int) rune { if runes := chars.optionalRunes(); runes != nil { return runes[i] } return rune(chars.slice[i]) } func (chars *Chars) Length() int { if runes := chars.optionalRunes(); runes != nil { return len(runes) } return len(chars.slice) } // String returns the string representation of a Chars object. func (chars *Chars) String() string { return fmt.Sprintf("Chars{slice: []byte(%q), inBytes: %v, trimLengthKnown: %v, trimLength: %d, Index: %d}", chars.slice, chars.inBytes, chars.trimLengthKnown, chars.trimLength, chars.Index) } // TrimLength returns the length after trimming leading and trailing whitespaces func (chars *Chars) TrimLength() uint16 { if chars.trimLengthKnown { return chars.trimLength } chars.trimLengthKnown = true var i int len := chars.Length() for i = len - 1; i >= 0; i-- { char := chars.Get(i) if !unicode.IsSpace(char) { break } } // Completely empty if i < 0 { return 0 } var j int for j = 0; j < len; j++ { char := chars.Get(j) if !unicode.IsSpace(char) { break } } chars.trimLength = AsUint16(i - j + 1) return chars.trimLength } func (chars *Chars) LeadingWhitespaces() int { whitespaces := 0 for i := 0; i < chars.Length(); i++ { char := chars.Get(i) if !unicode.IsSpace(char) { break } whitespaces++ } return whitespaces } func (chars *Chars) TrailingWhitespaces() int { whitespaces := 0 for i := chars.Length() - 1; i >= 0; i-- { char := chars.Get(i) if !unicode.IsSpace(char) { break } whitespaces++ } return whitespaces } func (chars *Chars) TrimTrailingWhitespaces(maxIndex int) { whitespaces := chars.TrailingWhitespaces() end := len(chars.slice) - whitespaces chars.slice = chars.slice[0:max(end, maxIndex)] } func (chars *Chars) TrimSuffix(runes []rune) { lastIdx := len(chars.slice) firstIdx := lastIdx - len(runes) if firstIdx < 0 { return } for i := firstIdx; i < lastIdx; i++ { char := chars.Get(i) if char != runes[i-firstIdx] { return } } chars.slice = chars.slice[0:firstIdx] } func (chars *Chars) SliceRight(last int) { chars.slice = chars.slice[:last] } func (chars *Chars) ToString() string { if runes := chars.optionalRunes(); runes != nil { return string(runes) } return unsafe.String(unsafe.SliceData(chars.slice), len(chars.slice)) } func (chars *Chars) ToRunes() []rune { if runes := chars.optionalRunes(); runes != nil { return runes } bytes := chars.slice runes := make([]rune, len(bytes)) for idx, b := range bytes { runes[idx] = rune(b) } return runes } func (chars *Chars) CopyRunes(dest []rune, from int) { if runes := chars.optionalRunes(); runes != nil { copy(dest, runes[from:]) return } for idx, b := range chars.slice[from:][:len(dest)] { dest[idx] = rune(b) } } func (chars *Chars) Prepend(prefix string) { if runes := chars.optionalRunes(); runes != nil { runes = append([]rune(prefix), runes...) chars.slice = *(*[]byte)(unsafe.Pointer(&runes)) } else { chars.slice = append([]byte(prefix), chars.slice...) } } func (chars *Chars) Lines(multiLine bool, maxLines int, wrapCols int, wrapSignWidth int, tabstop int) ([][]rune, bool) { text := make([]rune, chars.Length()) copy(text, chars.ToRunes()) lines := [][]rune{} overflow := false if !multiLine { lines = append(lines, text) } else { from := 0 for off := range text { if text[off] == '\n' { lines = append(lines, text[from:off+1]) // Include '\n' from = off + 1 if len(lines) >= maxLines { break } } } var lastLine []rune if from < len(text) { lastLine = text[from:] } overflow = false if len(lines) >= maxLines { overflow = true } else { lines = append(lines, lastLine) } } // If wrapping is disabled, we're done if wrapCols == 0 { return lines, overflow } wrapped := [][]rune{} for _, line := range lines { // Remove trailing '\n' and remember if it was there newline := len(line) > 0 && line[len(line)-1] == '\n' if newline { line = line[:len(line)-1] } hasWrapSign := false for { cols := wrapCols if hasWrapSign { cols -= wrapSignWidth } _, overflowIdx := RunesWidth(line, 0, tabstop, cols) if overflowIdx >= 0 { // Might be a wide character if overflowIdx == 0 { overflowIdx = 1 } if len(wrapped) >= maxLines { return wrapped, true } wrapped = append(wrapped, line[:overflowIdx]) hasWrapSign = true line = line[overflowIdx:] continue } hasWrapSign = false // Restore trailing '\n' if newline { line = append(line, '\n') } if len(wrapped) >= maxLines { return wrapped, true } wrapped = append(wrapped, line) break } } return wrapped, overflow }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false
junegunn/fzf
https://github.com/junegunn/fzf/blob/3c7cbc9d476025e0cf90e2303bce38935898df1f/src/util/slab.go
src/util/slab.go
package util type Slab struct { I16 []int16 I32 []int32 } func MakeSlab(size16 int, size32 int) *Slab { return &Slab{ I16: make([]int16, size16), I32: make([]int32, size32)} }
go
MIT
3c7cbc9d476025e0cf90e2303bce38935898df1f
2026-01-07T08:35:43.431645Z
false