Golang exec.Command - Диалог - PullRequest
       5

Golang exec.Command - Диалог

0 голосов
/ 23 января 2019

Программа Go запускает external soft.exe с аргументами:

cmd := exec.Command("soft.exe", "-text")
out, _ := cmd.CombinedOutput()

fmt.Printf("%s", out)

Файл soft.exe имеет некоторые выходные данные и ожидает ввода значения, например:

Пожалуйста, выберите код: 1, 2, 3, 4

Как обычно, в окне оболочки я просто набираю "1" и нажимаю Enter, и soft.exe дает мне результат.

Спасибо, ваш код [некоторое число]

Как я могу заполнить "1" после запуска и получить вывод с помощью GoLang?В моем примере после запуска soft.exe он сразу завершает работу с «Пожалуйста, выберите код: 1, 2, 3, 4».

1 Ответ

0 голосов
/ 23 января 2019

Вам нужно перенаправить os.Stdin в cmd.Stdin, os.Stdout в cmd.Stdout

См. В Годок: https://golang.org/pkg/os/exec/#Cmd

   // Stdin specifies the process's standard input.
   //
   // If Stdin is nil, the process reads from the null device (os.DevNull).
   //
   // If Stdin is an *os.File, the process's standard input is connected
   // directly to that file.
   //
   // Otherwise, during the execution of the command a separate
   // goroutine reads from Stdin and delivers that data to the command
   // over a pipe. In this case, Wait does not complete until the goroutine
   // stops copying, either because it has reached the end of Stdin
   // (EOF or a read error) or because writing to the pipe returned an error.
   Stdin io.Reader

Этот образец был протестирован на Windows.

package main

import (
    "fmt"
    "os"
    "os/exec"
)

func main() {
    cmd := exec.Command("yo")
    cmd.Stderr = os.Stderr
    cmd.Stdout = os.Stdout
    cmd.Stdin = os.Stdin
    if err := cmd.Run(); err != nil {
        fmt.Println(err.Error())
        os.Exit(1)
    }

}
...