一尘不染

Python子流程.check_call与.check_output

python

我的python脚本(python 3.4.3)通过子进程调用bash脚本:

import subprocess as sp
res = sp.check_output("bashscript", shell=True)

bashscript 包含以下行:

ssh -MNf somehost

这将打开与某个远程主机的共享主连接,以允许进行一些后续操作。

执行python脚本时,它将提示输入该ssh行的密码,但是在输入密码后它将阻塞,并且永远不会返回。当我按ctrl-
C终止脚本时,我看到连接已正确建立(因此ssh行已成功执行)。

使用check_call代替时check_output,我没有此阻塞问题,但check_call不检索标准输出。我想了解到底是什么导致了阻止行为check_output,可能与的一些微妙之处有关ssh -MNf


阅读 315

收藏
2020-12-20

共1个答案

一尘不染

check_call()``/bin/sh进程退出后立即返回,而无需等待后代进程(假设shell=True与您的情况相同)。

check_output()等待直到读取所有输出。如果ssh继承管道,则check_output()它将等待直到退出(直到关闭其继承的管道末端)。

check_call() 代码示例:

#!/usr/bin/env python
import subprocess
import sys
import time

start = time.time()
cmd = sys.executable + " -c 'import time; time.sleep(2)' &"
subprocess.check_call(cmd, shell=True)
assert (time.time() - start) < 1

不读取输出;check_call()立即返回,而无需等待孙子后台python进程。

check_call()就是Popen().wait()Popen()启动外部进程并立即返回,而无需等待其退出。.wait()收集进程的退出状态-
它不等待其他(孙代)进程。

如果读取了输出(重定向并孙子python进程继承了stdout管道):

start = time.time()
subprocess.check_output(cmd, shell=True)
assert (time.time() - start) > 2

然后等待直到继承管道的后台python进程退出。

check_output()调用Popen().communicate(),以获取输出。内部.communicate()调用,.wait()check_output()也等待外壳退出并check_output()等待EOF。

如果孙子不继承管道,则check_output()不要等待它:

start = time.time()
cmd = sys.executable + " -c 'import time; time.sleep(2)' >/dev/null &"
subprocess.check_output(cmd, shell=True)
assert (time.time() - start) < 1

孙子的输出被重定向到/dev/null即不继承父管道的输出,因此check_output()可以不等待而退出。

注意:&最后将孙子python进程置于后台。在默认情况下shell=True启动cmd.exe的Windows上,它将无法使用。

2020-12-20