Go에서 exec.Command 함수를 활용하면 명령을 실행하는 강력한 방법이 제공됩니다. 그러나 입력 리디렉션을 사용하여 명령을 실행하는 경우 exec.Command를 올바르게 사용하는 방법을 이해하는 것이 중요합니다. 이 질문은 exec.Command를 사용하여 파일에서 읽는 간단한 Bash 명령을 실행하는 방법을 탐구합니다.
목표는 Go에서 다음 명령을 실행하는 것입니다.
/sbin/iptables-restore < /etc/iptables.conf
이 명령은 지정된 파일에서 IPTables 구성을 읽고 IPTables를 새로 고칩니다. 그러나 exec.Command를 사용하여 이 명령을 Go 코드로 직접 변환하는 것은 어려운 일입니다.
이 질문은 exec.Command를 사용하여 명령을 실행하려는 몇 가지 실패한 시도를 간략하게 설명합니다. 두 가지 일반적인 접근 방식은 다음과 같습니다.
리디렉션 연산자 < 인수로:
cmd := exec.Command("/sbin/iptables-restore", "<", "/etc/iptables.conf")
파일 이름을 명령의 표준 입력으로 파이프하려고 시도:
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) } io.WriteString(stdin, "/etc/iptables.conf")
입력 리디렉션으로 명령을 성공적으로 실행하는 열쇠는 다음과 같은 조합을 사용하는 데 있습니다. ioutil.ReadFile 및 exec.Command. 다음 솔루션이 이를 수행합니다.
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 구성 파일의 내용을 읽은 다음 이를 명령의 표준 입력에 쓰면 입력 리디렉션 작업을 효과적으로 수행할 수 있습니다.
위 내용은 Go의 `exec.Command`를 사용하여 입력 리디렉션으로 명령을 실행하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!