使用 exec.Command() 运行命令时,可以执行包含管道的命令,允许您将多个命令链接在一起。
例如,以下命令运行 ps cax 和成功:
out, err := exec.Command("ps", "cax").Output()
但是,尝试使用以下命令将 ps cax 的输出通过管道传输到 grep myapp 会失败:
out, err := exec.Command("ps", "cax | grep myapp").Output()
要解决此问题,我们可以采用更惯用的方法在 Go 中使用管道的方法:
package main import ( "fmt" "os/exec" ) func main() { grep := exec.Command("grep", "redis") ps := exec.Command("ps", "cax") // Connect ps's stdout to grep's stdin. pipe, _ := ps.StdoutPipe() defer pipe.Close() grep.Stdin = pipe // Start ps first. ps.Start() // Run and retrieve the output of grep. res, _ := grep.Output() fmt.Println(string(res)) }
在此示例中,我们创建两个 exec.Cmd 结构体,一个对于每个命令,然后在 ps 的标准输出和 grep 的标准输入之间建立一个管道。通过首先启动 ps,我们确保其输出可供 grep 使用。随后,我们运行 grep 并检索其输出,有效地将两个命令链接在一起。
以上是如何使用 Go 的 exec.Command() 有效执行管道命令?的详细内容。更多信息请关注PHP中文网其他相关文章!