在同一个 Shell 中顺序运行多个命令:分析和解决方案
提供的 Go 代码旨在顺序执行多个命令,每个命令都在其自己独立的 shell 实例。但是,它遇到了第二个和第三个命令失败并显示可执行文件不存在的错误的问题。这是因为每个命令都在新的 shell 中执行,从而丢失了前面命令的上下文。
要解决此问题,需要在同一个 shell 实例中继续执行所有命令。这可以通过使用以下方法来实现:
// Run multiple commands in the same shell instance func runCommands(commands []string) error { // Create a pipe for controlling the shell's standard input and output reader, writer, err := os.Pipe() if err != nil { return err } defer reader.Close() defer writer.Close() // Start the shell command cmd := exec.Command("/bin/sh") cmd.Stdin = reader cmd.Stdout = writer // Start the command and wait for it to finish if err := cmd.Start(); err != nil { return err } if err := cmd.Wait(); err != nil { return err } // Write each command to the shell's standard input for _, command := range commands { if _, err := writer.Write([]byte(command + "\n")); err != nil { return err } } // Close the pipe to signal the end of input if err := writer.Close(); err != nil { return err } // Read the output from the shell command output, err := ioutil.ReadAll(reader) if err != nil { return err } // Return the output return nil }
此函数将一段命令作为输入,并在单个 shell 实例中按顺序执行它们。它将命令通过管道传输到 shell 的标准输入,然后读取其输出。
通过使用这种方法,后续命令将在与前面的命令相同的工作目录中执行,并且前面遇到的问题将得到解决.
以上是如何在 Go 的单个 Shell 实例中顺序运行多个命令?的详细内容。更多信息请关注PHP中文网其他相关文章!