帶有輸入重定向的exec.Command
要從Go 執行bash 指令,exec.Command() 提供了一個簡單的解決方案。然而,將輸入重定向到命令可能是一個挑戰。
考慮需要使用指令「/sbin/iptables-restore /iptables.conf」來更新 IPTables。嘗試使用 exec.Command() 呼叫此命令已被證明是不成功的。
為了解決此問題,採用了提供檔案名稱作為 cmd.StdinPipe() 輸入的策略:
stdin, err := cmd.StdinPipe() if err != nil { log.Fatal(err) } err = cmd.Start() if err != nil { log.Fatal(err) } io.WriteString(stdin, "/etc/iptables.conf")
然而,這種方法仍然無效。一個可行的解決方案是讀取“/etc/iptables.conf”的內容並將其寫入 cmd.StdinPipe():
package main import ( "io" "io/ioutil" "log" "os/exec" ) func main() { bytes, err := ioutil.ReadFile("/etc/iptables.conf") if err != nil { log.Fatal(err) } cmd := exec.Command("/sbin/iptables-restore") stdin, err := cmd.StdinPipe() if err != nil { log.Fatal(err) } err = cmd.Start() if err != nil { log.Fatal(err) } _, err = io.WriteString(stdin, string(bytes)) if err != nil { log.Fatal(err) } }
以上是對於像「iptables-restore」這樣的指令,如何正確地將輸入重新導向到 Go 中的「exec.Command」?的詳細內容。更多資訊請關注PHP中文網其他相關文章!