登录
首页 >  Golang >  Go问答

在 Golang 中终止以 os/exec 开始的进程

来源:Golang技术栈

时间:2023-05-01 19:27:05 451浏览 收藏

大家好,我们又见面了啊~本文《在 Golang 中终止以 os/exec 开始的进程》的内容中将会涉及到golang等等。如果你正在学习Golang相关知识,欢迎关注我,以后会给大家带来更多Golang相关文章,希望我们能一起进步!下面就开始本文的正式内容~

问题内容

有没有办法终止在 Golang 中以 os.exec 开始的进程?例如(来自http://golang.org/pkg/os/exec/#example_Cmd_Start),

cmd := exec.Command("sleep", "5")
err := cmd.Start()
if err != nil {
    log.Fatal(err)
}
log.Printf("Waiting for command to finish...")
err = cmd.Wait()
log.Printf("Command finished with error: %v", err)

有没有办法提前终止该过程,也许在 3 秒后?

提前致谢

正确答案

运行并终止exec.Process

// Start a process:
cmd := exec.Command("sleep", "5")
if err := cmd.Start(); err != nil {
    log.Fatal(err)
}

// Kill it:
if err := cmd.Process.Kill(); err != nil {
    log.Fatal("failed to kill process: ", err)
}

超时后运行并终止exec.Process

ctx, cancel := context.WithTimeout(context.Background(), 3 * time.Second)
defer cancel()

if err := exec.CommandContext(ctx, "sleep", "5").Run(); err != nil {
    // This will fail after 3 seconds. The 5 second sleep
    // will be interrupted.
}

请参阅Go 文档 中的此示例


遗产

在 Go 1.7 之前,我们没有这个context包,这个答案是不同的。

exec.Process使用通道和 goroutine 在超时后运行和终止:

// Start a process:
cmd := exec.Command("sleep", "5")
if err := cmd.Start(); err != nil {
    log.Fatal(err)
}

// Wait for the process to finish or kill it after a timeout (whichever happens first):
done := make(chan error, 1)
go func() {
    done 

要么进程结束并且接收到它的错误(如果有的话),done要么已经过去了 3 秒并且程序在完成之前被杀死。

以上就是《在 Golang 中终止以 os/exec 开始的进程》的详细内容,更多关于golang的资料请关注golang学习网公众号!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>
评论列表