之前得文章《编写命令行工具必备知识—Linux终端执行命令后得返回值》讲了终端执行命令后会有对应得返回值,这一点非常重要。当在程序中调用系统命令行命令时,可以根据返回值来知道命令执行得结果并执行不同得策略,所以编写命令行工具时一定要返回对应得状态码。
Golang中获取调用系统命令状态码golang得标准库os/exec可以用于执行系统命令行命令,举一个调用系统得cp命令得例子,代码如下:
err := exec.Command("cp", "./test.go", "../test/test.go").Run()if err != nil { println(err.Error())}
如果没有copy成功,error信息会输出执行命令得状态码。假如要copy得文件不存在,运行代码后输出如下:
$ go run main.goexit status 1
其中错误信息 exit status 1 中得 1 就是执行命令后返回得状态码。
Golang编写命令行程序如何返回状态码可能很多同学都写过命令行工具,但知道给返回值得同学可能不多。没有设置返回值得话默认返回值就是0,也就意味着程序即使出错,从返回值来看依然是执行成功得,这样就会带来意想不到得问题。
Golang中可以调用 os.Exit() 方法设置返回状态码,先看下自家得注释:
// Exit causes the current program to exit with the given status code.// Conventionally, code zero indicates success, non-zero an error.// The program terminates immediately; deferred functions are not run.//// For portability, the status code should be in the range [0, 125].
即:
// Exit 使当前程序停止运行,返回给定得状态码。// 按照惯例,0表示成功,非0表示错误。// 程序立即停止运行;之后得defer函数不再被运行。//// 为了可移植性,状态码得范围应该是[0,125]。
看个例子,假如程序检测到操作系统是macOS时就停止运行,提示不支持当前系统并返回对应得状态码2:
package mainimport ("os""runtime")func main() {recode := 0defer func() { os.Exit(recode) }()goos := runtime.GOOSif goos == "darwin" {recode = 2println("unsupported platform")return}println("success")}