1. ホーム
  2. go

[解決済み] Golang で os/exec で開始したプロセスを終了させる

2023-06-13 23:32:28

質問

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 1.7 より前のバージョンでは、私たちは context パッケージがなく、この回答は異なっていました。

を実行し、終了させる。 exec.Process を実行し、タイムアウト後に終了させます。

// 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 <- cmd.Wait()
}()
select {
case <-time.After(3 * time.Second):
    if err := cmd.Process.Kill(); err != nil {
        log.Fatal("failed to kill process: ", err)
    }
    log.Println("process killed as timeout reached")
case err := <-done:
    if err != nil {
        log.Fatalf("process finished with error = %v", err)
    }
    log.Print("process finished successfully")
}

プロセスが終了し、そのエラー(もしあれば)を done または3秒が経過し、プログラムが終了する前に強制終了される。