• 13.6 启动外部命令和程序

    13.6 启动外部命令和程序

    os 包有一个 StartProcess 函数可以调用或启动外部系统命令和二进制可执行文件;它的第一个参数是要运行的进程,第二个参数用来传递选项或参数,第三个参数是含有系统环境基本信息的结构体。

    这个函数返回被启动进程的 id(pid),或者启动失败返回错误。

    exec 包中也有同样功能的更简单的结构体和函数;主要是 exec.Command(name string, arg ...string)Run()。首先需要用系统命令或可执行文件的名字创建一个 Command 对象,然后用这个对象作为接收者调用 Run()。下面的程序(因为是执行 Linux 命令,只能在 Linux 下面运行)演示了它们的使用:

    示例 13.6 exec.go:

    1. // exec.go
    2. package main
    3. import (
    4. "fmt"
    5. "os/exec"
    6. "os"
    7. )
    8. func main() {
    9. // 1) os.StartProcess //
    10. /*********************/
    11. /* Linux: */
    12. env := os.Environ()
    13. procAttr := &os.ProcAttr{
    14. Env: env,
    15. Files: []*os.File{
    16. os.Stdin,
    17. os.Stdout,
    18. os.Stderr,
    19. },
    20. }
    21. // 1st example: list files
    22. pid, err := os.StartProcess("/bin/ls", []string{"ls", "-l"}, procAttr)
    23. if err != nil {
    24. fmt.Printf("Error %v starting process!", err) //
    25. os.Exit(1)
    26. }
    27. fmt.Printf("The process id is %v", pid)

    输出:

    1. The process id is &{2054 0}total 2056
    2. -rwxr-xr-x 1 ivo ivo 1157555 2011-07-04 16:48 Mieken_exec
    3. -rw-r--r-- 1 ivo ivo 2124 2011-07-04 16:48 Mieken_exec.go
    4. -rw-r--r-- 1 ivo ivo 18528 2011-07-04 16:48 Mieken_exec_go_.6
    5. -rwxr-xr-x 1 ivo ivo 913920 2011-06-03 16:13 panic.exe
    6. -rw-r--r-- 1 ivo ivo 180 2011-04-11 20:39 panic.go
    1. // 2nd example: show all processes
    2. pid, err = os.StartProcess("/bin/ps", []string{"-e", "-opid,ppid,comm"}, procAttr)
    3. if err != nil {
    4. fmt.Printf("Error %v starting process!", err) //
    5. os.Exit(1)
    6. }
    7. fmt.Printf("The process id is %v", pid)
    1. // 2) exec.Run //
    2. /***************/
    3. // Linux: OK, but not for ls ?
    4. // cmd := exec.Command("ls", "-l") // no error, but doesn't show anything ?
    5. // cmd := exec.Command("ls") // no error, but doesn't show anything ?
    6. cmd := exec.Command("gedit") // this opens a gedit-window
    7. err = cmd.Run()
    8. if err != nil {
    9. fmt.Printf("Error %v executing command!", err)
    10. os.Exit(1)
    11. }
    12. fmt.Printf("The command is %v", cmd)
    13. // The command is &{/bin/ls [ls -l] [] <nil> <nil> <nil> 0xf840000210 <nil> true [0xf84000ea50 0xf84000e9f0 0xf84000e9c0] [0xf84000ea50 0xf84000e9f0 0xf84000e9c0] [] [] 0xf8400128c0}
    14. }
    15. // in Windows: uitvoering: Error fork/exec /bin/ls: The system cannot find the path specified. starting process!