-
-
Notifications
You must be signed in to change notification settings - Fork 756
Add system(command; args) operator (disabled by default) #2640
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
base: master
Are you sure you want to change the base?
Changes from all commits
d181cf8
9a72c0f
6315cfe
da611f7
884c2d8
2c8605f
5ea069a
53abbba
e10e812
b3b4478
6f94991
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,23 @@ | ||
| # System Operators | ||
|
|
||
| The `system` operator allows you to run an external command and use its output as a value in your expression. | ||
|
|
||
| **Security warning**: The system operator is disabled by default. You must explicitly pass `--security-enable-system-operator` to use it. | ||
|
|
||
| ## Usage | ||
|
|
||
| ```bash | ||
| yq --security-enable-system-operator --null-input '.field = system("command"; "arg1")' | ||
| ``` | ||
|
|
||
| The operator takes: | ||
| - A command string (required) | ||
| - An argument or array of arguments separated by `;` (optional) | ||
|
|
||
| The current matched node's value is serialised and piped to the command via stdin. The command's stdout (with trailing newline stripped) is returned as a string. | ||
|
|
||
| ## Disabling the system operator | ||
|
|
||
| The system operator is disabled by default. When disabled, a warning is logged and `null` is returned instead of running the command. | ||
|
|
||
| Use `--security-enable-system-operator` flag to enable it. |
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,72 @@ | ||
| # System Operators | ||
|
|
||
| The `system` operator allows you to run an external command and use its output as a value in your expression. | ||
|
|
||
| **Security warning**: The system operator is disabled by default. You must explicitly pass `--security-enable-system-operator` to use it. | ||
|
|
||
| ## Usage | ||
|
|
||
| ```bash | ||
| yq --security-enable-system-operator --null-input '.field = system("command"; "arg1")' | ||
| ``` | ||
|
|
||
| The operator takes: | ||
| - A command string (required) | ||
| - An argument or array of arguments separated by `;` (optional) | ||
|
|
||
| The current matched node's value is serialised and piped to the command via stdin. The command's stdout (with trailing newline stripped) is returned as a string. | ||
|
|
||
| ## Disabling the system operator | ||
|
|
||
| The system operator is disabled by default. When disabled, a warning is logged and `null` is returned instead of running the command. | ||
|
|
||
| Use `--security-enable-system-operator` flag to enable it. | ||
|
|
||
| ## system operator returns null when disabled | ||
| Use `--security-enable-system-operator` to enable the system operator. | ||
|
|
||
| Given a sample.yml file of: | ||
| ```yaml | ||
| country: Australia | ||
| ``` | ||
| then | ||
| ```bash | ||
| yq '.country = system("/usr/bin/echo"; "test")' sample.yml | ||
| ``` | ||
| will output | ||
| ```yaml | ||
| country: null | ||
| ``` | ||
|
|
||
| ## Run a command with an argument | ||
| Use `--security-enable-system-operator` to enable the system operator. | ||
|
|
||
| Given a sample.yml file of: | ||
| ```yaml | ||
| country: Australia | ||
| ``` | ||
| then | ||
| ```bash | ||
| yq --security-enable-system-operator '.country = system("/usr/bin/echo"; "test")' sample.yml | ||
| ``` | ||
| will output | ||
| ```yaml | ||
| country: test | ||
| ``` | ||
|
|
||
| ## Run a command without arguments | ||
| Omit the semicolon and args to run the command with no extra arguments. | ||
|
|
||
| Given a sample.yml file of: | ||
| ```yaml | ||
| a: hello | ||
| ``` | ||
| then | ||
| ```bash | ||
| yq --security-enable-system-operator '.a = system("/usr/bin/echo")' sample.yml | ||
| ``` | ||
mikefarah marked this conversation as resolved.
Show resolved
Hide resolved
|
||
| will output | ||
| ```yaml | ||
| a: "" | ||
| ``` | ||
|
|
||
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,148 @@ | ||
| package yqlib | ||
|
|
||
| import ( | ||
| "bytes" | ||
| "container/list" | ||
| "fmt" | ||
| "os/exec" | ||
| "strings" | ||
| ) | ||
|
|
||
| func resolveSystemArgs(argsNode *CandidateNode) []string { | ||
| if argsNode == nil { | ||
| return nil | ||
| } | ||
|
|
||
| if argsNode.Kind == SequenceNode { | ||
| args := make([]string, 0, len(argsNode.Content)) | ||
| for _, child := range argsNode.Content { | ||
| // Only non-null scalar children are valid arguments. | ||
| if child == nil { | ||
| continue | ||
| } | ||
| if child.Kind != ScalarNode || child.Tag == "!!null" { | ||
| log.Warningf("system operator: argument must be a non-null scalar; got kind=%v tag=%v - ignoring", child.Kind, child.Tag) | ||
| continue | ||
| } | ||
| args = append(args, child.Value) | ||
| } | ||
| if len(args) == 0 { | ||
| return nil | ||
| } | ||
| return args | ||
| } | ||
|
|
||
| // Single-argument case: only accept a non-null scalar node. | ||
| if argsNode.Tag == "!!null" { | ||
| return nil | ||
| } | ||
| if argsNode.Kind != ScalarNode { | ||
| log.Warningf("system operator: args must be a non-null scalar or sequence of non-null scalars; got kind=%v tag=%v - ignoring", argsNode.Kind, argsNode.Tag) | ||
| return nil | ||
| } | ||
| return []string{argsNode.Value} | ||
| } | ||
|
|
||
| func resolveCommandNode(commandNodes Context) (string, error) { | ||
| if commandNodes.MatchingNodes.Front() == nil { | ||
| return "", fmt.Errorf("system operator: command expression returned no results") | ||
| } | ||
| if commandNodes.MatchingNodes.Len() > 1 { | ||
| log.Debugf("system operator: command expression returned %d results, using first", commandNodes.MatchingNodes.Len()) | ||
| } | ||
| cmdNode := commandNodes.MatchingNodes.Front().Value.(*CandidateNode) | ||
| if cmdNode.Kind != ScalarNode || cmdNode.Tag == "!!null" { | ||
| return "", fmt.Errorf("system operator: command must be a string scalar") | ||
| } | ||
mikefarah marked this conversation as resolved.
Show resolved
Hide resolved
|
||
| if cmdNode.Value == "" { | ||
| return "", fmt.Errorf("system operator: command must be a non-empty string") | ||
| } | ||
| return cmdNode.Value, nil | ||
| } | ||
|
|
||
| func systemOperator(d *dataTreeNavigator, context Context, expressionNode *ExpressionNode) (Context, error) { | ||
| if !ConfiguredSecurityPreferences.EnableSystemOps { | ||
| log.Warning("system operator is disabled, use --security-enable-system-operator flag to enable") | ||
| results := list.New() | ||
| for el := context.MatchingNodes.Front(); el != nil; el = el.Next() { | ||
| candidate := el.Value.(*CandidateNode) | ||
| results.PushBack(candidate.CreateReplacement(ScalarNode, "!!null", "null")) | ||
| } | ||
| return context.ChildContext(results), nil | ||
| } | ||
|
|
||
| // determine at parse time whether we have (command; args) or just (command) | ||
| hasArgs := expressionNode.RHS.Operation.OperationType == blockOpType | ||
|
|
||
| var results = list.New() | ||
|
|
||
| for el := context.MatchingNodes.Front(); el != nil; el = el.Next() { | ||
| candidate := el.Value.(*CandidateNode) | ||
| nodeContext := context.SingleReadonlyChildContext(candidate) | ||
|
|
||
| var command string | ||
| var args []string | ||
|
|
||
| if hasArgs { | ||
| block := expressionNode.RHS | ||
| commandNodes, err := d.GetMatchingNodes(nodeContext, block.LHS) | ||
| if err != nil { | ||
| return Context{}, err | ||
| } | ||
| command, err = resolveCommandNode(commandNodes) | ||
| if err != nil { | ||
| return Context{}, err | ||
| } | ||
|
|
||
| argsNodes, err := d.GetMatchingNodes(nodeContext, block.RHS) | ||
| if err != nil { | ||
| return Context{}, err | ||
| } | ||
| if argsNodes.MatchingNodes.Front() != nil { | ||
| args = resolveSystemArgs(argsNodes.MatchingNodes.Front().Value.(*CandidateNode)) | ||
| } | ||
| } else { | ||
| commandNodes, err := d.GetMatchingNodes(nodeContext, expressionNode.RHS) | ||
| if err != nil { | ||
| return Context{}, err | ||
| } | ||
| command, err = resolveCommandNode(commandNodes) | ||
| if err != nil { | ||
| return Context{}, err | ||
| } | ||
| } | ||
|
|
||
| var stdin bytes.Buffer | ||
| encoded, err := encodeToYamlString(candidate) | ||
| if err != nil { | ||
| return Context{}, err | ||
| } | ||
| stdin.WriteString(encoded) | ||
|
|
||
| // #nosec G204 - intentional: user must explicitly enable this operator | ||
| cmd := exec.Command(command, args...) | ||
| cmd.Stdin = &stdin | ||
| var stderr bytes.Buffer | ||
| cmd.Stderr = &stderr | ||
|
|
||
| output, err := cmd.Output() | ||
| if err != nil { | ||
| stderrStr := strings.TrimSpace(stderr.String()) | ||
| if stderrStr != "" { | ||
| return Context{}, fmt.Errorf("system command '%v' failed: %w\nstderr: %v", command, err, stderrStr) | ||
| } | ||
| return Context{}, fmt.Errorf("system command '%v' failed: %w", command, err) | ||
| } | ||
|
|
||
| result := string(output) | ||
| if strings.HasSuffix(result, "\r\n") { | ||
| result = result[:len(result)-2] | ||
| } else if strings.HasSuffix(result, "\n") { | ||
| result = result[:len(result)-1] | ||
| } | ||
|
Comment on lines
+137
to
+142
|
||
| newNode := candidate.CreateReplacement(ScalarNode, "!!str", result) | ||
| results.PushBack(newNode) | ||
| } | ||
|
|
||
| return context.ChildContext(results), nil | ||
| } | ||
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,114 @@ | ||
| package yqlib | ||
|
|
||
| import ( | ||
| "os/exec" | ||
| "testing" | ||
| ) | ||
|
|
||
| func findExec(t *testing.T, name string) string { | ||
| t.Helper() | ||
| path, err := exec.LookPath(name) | ||
| if err != nil { | ||
| t.Skipf("skipping: %v not found: %v", name, err) | ||
| } | ||
| return path | ||
| } | ||
|
|
||
| var systemOperatorDisabledScenarios = []expressionScenario{ | ||
| { | ||
| description: "system operator returns null when disabled", | ||
| subdescription: "Use `--security-enable-system-operator` to enable the system operator.", | ||
| document: "country: Australia", | ||
| expression: `.country = system("/usr/bin/echo"; "test")`, | ||
| expected: []string{ | ||
| "D0, P[], (!!map)::country: null\n", | ||
| }, | ||
| }, | ||
| } | ||
|
|
||
| func TestSystemOperatorDisabledScenarios(t *testing.T) { | ||
| originalEnableSystemOps := ConfiguredSecurityPreferences.EnableSystemOps | ||
| defer func() { | ||
| ConfiguredSecurityPreferences.EnableSystemOps = originalEnableSystemOps | ||
| }() | ||
|
|
||
| ConfiguredSecurityPreferences.EnableSystemOps = false | ||
|
|
||
| for _, tt := range systemOperatorDisabledScenarios { | ||
| testScenario(t, &tt) | ||
| } | ||
| documentOperatorScenarios(t, "system-operators", systemOperatorDisabledScenarios) | ||
| } | ||
|
|
||
| func TestSystemOperatorEnabledScenarios(t *testing.T) { | ||
| echoPath := findExec(t, "echo") | ||
| falsePath := findExec(t, "false") | ||
|
|
||
| originalEnableSystemOps := ConfiguredSecurityPreferences.EnableSystemOps | ||
| defer func() { | ||
| ConfiguredSecurityPreferences.EnableSystemOps = originalEnableSystemOps | ||
| }() | ||
|
|
||
| ConfiguredSecurityPreferences.EnableSystemOps = true | ||
|
|
||
| scenarios := []expressionScenario{ | ||
| { | ||
| description: "Run a command with an argument", | ||
| subdescription: "Use `--security-enable-system-operator` to enable the system operator.", | ||
| yqFlags: "--security-enable-system-operator", | ||
| document: "country: Australia", | ||
| expression: `.country = system("` + echoPath + `"; "test")`, | ||
| expected: []string{ | ||
|
Comment on lines
+43
to
+61
|
||
| "D0, P[], (!!map)::country: test\n", | ||
| }, | ||
| }, | ||
| { | ||
| description: "Run a command without arguments", | ||
| subdescription: "Omit the semicolon and args to run the command with no extra arguments.", | ||
| yqFlags: "--security-enable-system-operator", | ||
| document: "a: hello", | ||
| expression: `.a = system("` + echoPath + `")`, | ||
| expected: []string{ | ||
| "D0, P[], (!!map)::a: \"\"\n", | ||
| }, | ||
| }, | ||
| { | ||
| description: "Run a command with multiple arguments", | ||
| subdescription: "Pass an array of arguments.", | ||
| skipDoc: true, | ||
| document: "a: hello", | ||
| expression: `.a = system("` + echoPath + `"; ["foo", "bar"])`, | ||
| expected: []string{ | ||
| "D0, P[], (!!map)::a: foo bar\n", | ||
| }, | ||
| }, | ||
| { | ||
| description: "Command and args are evaluated per matched node", | ||
| skipDoc: true, | ||
| document: "cmd: " + echoPath + "\narg: hello", | ||
| expression: `.result = system(.cmd; .arg)`, | ||
| expected: []string{ | ||
| "D0, P[], (!!map)::cmd: " + echoPath + "\narg: hello\nresult: hello\n", | ||
| }, | ||
| }, | ||
| { | ||
| description: "Command failure returns error", | ||
| skipDoc: true, | ||
| document: "a: hello", | ||
| expression: `.a = system("` + falsePath + `")`, | ||
| expectedError: "system command '" + falsePath + "' failed: exit status 1", | ||
| }, | ||
| { | ||
| description: "Null command returns error", | ||
| skipDoc: true, | ||
| document: "a: hello", | ||
| expression: `.a = system(null)`, | ||
| expectedError: "system operator: command must be a string scalar", | ||
| }, | ||
| } | ||
|
|
||
| for _, tt := range scenarios { | ||
| testScenario(t, &tt) | ||
| } | ||
| appendOperatorDocumentScenario(t, "system-operators", scenarios) | ||
| } | ||
Uh oh!
There was an error while loading. Please reload this page.