9

我试图理解为什么会这样。我正在调用命令以在 Ubuntu 服务器 12.04 上重新启动网络。

快速执行

当我使用以下三种方式之一调用命令时,执行大约需要 0.1 秒:

  1. 直接在终端
  2. python脚本使用os.system
  3. python脚本使用subprocess.call

终端会话:

root@ubuntu:~# time /etc/init.d/networking restart
 * Running /etc/init.d/networking restart
 * Reconfiguring network interfaces...
real    0m0.105s

root@ubuntu:~# time python -c "import os;
> os.system('/etc/init.d/networking restart')"
 * Running /etc/init.d/networking restart
 * Reconfiguring network interfaces...
real    0m0.111s

root@ubuntu:~# time python -c "import subprocess;
> subprocess.call(['/etc/init.d/networking', 'restart'])"
 * Running /etc/init.d/networking restart
 * Reconfiguring network interfaces...
real    0m0.111s

执行缓慢

但是,如果我使用subprocess.check_output或 Popen 并尝试读取输出,则需要 23 秒。慢得多。似乎只有当我尝试使用将返回命令输出的函数时才会发生这种巨大的差异。我想了解为什么会发生这种情况,并找到一个解决方案来执行这个命令并获得它的输出而不需要这么长时间。

终端会话:

root@ubuntu:~# time python -c "import subprocess;
> print subprocess.check_output(['/etc/init.d/networking', 'restart'])"
 * Running /etc/init.d/networking restart
 * Reconfiguring network interfaces...
real    0m23.201s

root@ubuntu:~# time python -c "from subprocess import Popen, PIPE;
> print Popen(['/etc/init.d/networking', 'restart'], stdout=PIPE).stdout.read()"
 * Running /etc/init.d/networking restart
 * Reconfiguring network interfaces...
real    0m23.201s

更新

其中一条评论建议尝试使用 tee 命令。结果非常有趣。如果使用 tee,则在没有任何 python 参与的终端中,它需要相同的 23 秒。我仍然很好奇为什么,但至少这可能会为正在发生的事情提供更多线索。

root@ubuntu:~# time /etc/init.d/networking restart | tee out.txt
 * Running /etc/init.d/networking restart
 * Reconfiguring network interfaces...
real    0m23.181s
4

1 回答 1

11

下面的代码基于 JF Sebastian 的出色评论。下面的代码按预期在 0.1 秒内运行,并将命令的输出返回到字符串。

from subprocess import check_call, STDOUT
from tempfile import NamedTemporaryFile

with NamedTemporaryFile() as f:
    check_call(['/etc/init.d/networking', 'restart'], stdout=f, stderr=STDOUT)
    f.seek(0)
    output = f.read()
于 2012-12-12T10:21:25.460 回答