如何使用`stdin = PIPE`重现`stdin = sys.stdin`?

时间:2016-05-22 06:48:20

标签: python linux subprocess

我有以下完全符合预期的代码:

from subprocess import Popen

process = Popen(
    ["/bin/bash"],
    stdin=sys.stdin,
    stdout=sys.stdout,
    stderr=sys.stderr,
)
process.wait()

我可以交互式地使用bash,tab works等。

但是,我想控制我发送给stdin的内容,所以我希望以下内容能够正常工作:

import os
import sys
from subprocess import Popen, PIPE
from select import select

process = Popen(
    ["/bin/bash"],
    stdin=PIPE,
    stdout=sys.stdout,
    stderr=sys.stderr,
)

while True:
    if process.poll() is not None:
        break

    r, _, _ = select([sys.stdin], [], [])

    if sys.stdin in r:
        stdin = os.read(sys.stdin.fileno(), 1024)
        # Do w/e I want with stdin
        os.write(process.stdin.fileno(), stdin)

process.wait()

但这种行为并不相同。我尝试了另一种方法(通过pty):

import os
import sys
import tty
from subprocess import Popen
from select import select

master, slave = os.openpty()
stdin = sys.stdin.fileno()

try:
    tty.setraw(master)
    ttyname = os.ttyname(slave)

    def _preexec():
        os.setsid()
        open(ttyname, "r+")

    process = Popen(
        args=["/bin/bash"],
        preexec_fn=_preexec,
        stdin=slave,
        stdout=sys.stdout,
        stderr=sys.stderr,
        close_fds=True,
    )

    while True:
        if process.poll() is not None:
            break

        r, _, _ = select([sys.stdin], [], [])

        if sys.stdin in r:
            os.write(master, os.read(stdin, 1024))
finally:
    os.close(master)
    os.close(slave)

行为非常接近,除了标签仍然不起作用。好吧,tab已正确发送,但我的终端没有显示完成,即使它是由bash完成的。箭头也显示^[[A而不是历史记录。

有什么想法吗?

1 个答案:

答案 0 :(得分:1)

我只需要将sys.stdout设置为raw。我还发现了3件事:

  • 我需要恢复sys.stdout
  • 上的终端设置
  • subprocess.Popen有一个start_new_session参数,可以执行_preexec函数正在执行的操作。
  • select.select接受第4个参数,这是放弃之前的超时。它让我避免在退出后卡在选择循环中。

最终代码:

import os
import sys
import tty
import termios
import select
import subprocess

master, slave = os.openpty()
stdin = sys.stdin.fileno()

try:
    old_settings = termios.tcgetattr(sys.stdout)
    tty.setraw(sys.stdout)

    process = subprocess.Popen(
        args=["/bin/bash"],
        stdin=slave,
        stdout=sys.stdout,
        stderr=sys.stderr,
        close_fds=True,
        start_new_session=True,
    )

    while True:
        if process.poll() is not None:
            break

        r, _, _ = select.select([sys.stdin], [], [], 0.2)

        if sys.stdin in r:
            os.write(master, os.read(stdin, 1024))
finally:
    termios.tcsetattr(sys.stdout, termios.TCSADRAIN, old_settings)
    os.close(master)
    os.close(slave)