从* os.file复制Golang,而无需等待EOF

时间:2018-07-24 15:19:08

标签: shell go ssh pty

我正在尝试使用io.Copy从文件中复制,它在实际从其内部缓冲区复制字节之前等待EOF,对吗?在我的用例(PTY / SSH会话)中,EOF仅在会话完成时才出现,这意味着我一直在瞎瞎,直到会话确定会话结束为止。

我尝试一次使用1个字节的CopyN可以正常工作,但是如果我尝试等待出现一些特定文本,然后复制过去推送到文件中的内容,则代码将挂起,我失去了会话。是否有一个功能可以“阅读那里的内容”然后停止,或者有一个其他标记(例如EOF)可以告诉复制暂时停止?

我也尝试读取ptyI.pty指向的文件的内容,但是它总是返回0个字节,所以我无法检查那里的更新

这是现在处理它的代码:

type PtyInterface struct {
    pty          *os.File
    buf          *bytes.Buffer
}

func (ptyI *PtyInterface) PrivCmd(cmdStr string) (string, error) {

    // Copy the command provided into the STDIN of the bash shell we opened with
    // the earlier PtyInterface
    _, _ = io.Copy(ptyI.pty, strings.NewReader(string("somecommand")))

    // Assuming everything has gone well, we wait for the prompt to appear

    // We do this by running through individual bytes until the prompt is
    // fully printed (otherwise we might try to send in the answer at the wrong time)
    for !strings.HasSuffix(ptyI.buf.String(), "Prompt question? ") {
        _, _ = io.CopyN(ptyI.buf, ptyI.pty, 1)
    }

    // Once we hit the prompt we throw the answer into STDIN along with a newline
    // and the bash shell should accept this and begin executing the command.
    _, _ = io.Copy(ptyI.pty, strings.NewReader(string("answer\n")))

    // If we dont throw an exit in there then the PTY will never receive an EOF marker and we'll
    // hang on the next copy
    _, _ = io.Copy(ptyI.pty, strings.NewReader(string("exit\n")))

    // Now this copy will wait for an EOF
    _, _ = io.Copy(ptyI.buf, ptyI.pty)

    //Debug info to be printed after
    fmt.Println("\nBytes written to buffer (newone): \n" + ptyI.buf.String())

    return ptyI.buf.String(), nil
}

1 个答案:

答案 0 :(得分:1)

io.Copy视为用于批量复制或流的便利功能,而不是用于请求/响应模式的正确工具。

只需检查字节是否与每个字节上的消息匹配,即可将字节累积到消息中。直接使用Read方法。

func Expect(message string, r io.Reader) (resp string, err error) {
    b := []byte{0} // 1 byte buffer
    var n int

    for err == nil {
        n, err = r.Read(b)
        if n == 0 {
            continue
        }
        resp += string(b[0])
        if strings.HasSuffix(resp, message) {
            return resp, err
        }
    }

    return resp, err
}

在您的示例中,您可以这样使用:

resp, err := Expect("Prompt question? ", ptyI.pty)

下面是使用模拟连接io.Reader:playground进行操作的演示。