我有一个程序可以执行为
./install.sh
这将安装一堆东西,并且屏幕上发生了很多活动。
现在,我正在尝试通过执行
p = subprocess.Popen(executable, stdout=subprocess.PIPE, stderr=subprocess.PIPE) out, err = p.communicate()
希望所有发生在屏幕上的活动都被捕获在out(或err)中。但是,在进程运行时,内容直接打印到终端,而不会捕获到out或中err,在进程运行后,它们都为空。
out
err
这里会发生什么?如何捕获此内容?
通常,您所做的已经足以将所有输出传递到变量。
一个例外是,如果您正在运行的程序/dev/tty用于直接连接到其控制终端,并通过该终端而不是通过stdout(FD 1)和stderr(FD 2)发出输出。通常对安全敏感的IO(例如密码提示)执行此操作,但很少看到。
/dev/tty
为了证明这一点有效,您可以将以下代码完全复制并粘贴到Python shell中:
import subprocess executable = ['/bin/sh', '-c', 'echo stdout; echo stderr >&2'] p = subprocess.Popen(executable, stdout=subprocess.PIPE, stderr=subprocess.PIPE) out, err = p.communicate() print "---" print "output: ", out print "stderr: ", err
……相反,为了证明该案例 无效 :
import subprocess executable = ['/bin/sh', '-c', 'echo uncapturable >/dev/tty'] p = subprocess.Popen(executable, stdout=subprocess.PIPE, stderr=subprocess.PIPE) out, err = p.communicate() print "---" print "output: ", out
在这种情况下,内容将直接写入TTY,而不是stdout或stderr。不使用提供伪造TTY的程序(例如script或expect)就无法捕获此内容。因此,使用script:
script
expect
import subprocess executable = ['script', '-q', '/dev/null', '/bin/sh', '-c', 'echo uncapturable >/dev/tty'] p = subprocess.Popen(executable, stdout=subprocess.PIPE, stderr=subprocess.PIPE) out, err = p.communicate() print "---" print "output: ", out