我试图在Python中进行系统调用,并将输出存储为我可以在Python程序中操作的字符串。

#!/usr/bin/python
import subprocess
p2 = subprocess.Popen("ntpq -p")

我尝试了一些事情,包括这里的一些建议:

检索subprocess.call()的输出

但运气不好。


当前回答

在Python 2.7或Python 3中

不用直接创建Popen对象,你可以使用subprocess.check_output()函数将命令的输出存储在字符串中:

from subprocess import check_output
out = check_output(["ntpq", "-p"])

在Python 2.4-2.6中

使用沟通方法。

import subprocess
p = subprocess.Popen(["ntpq", "-p"], stdout=subprocess.PIPE)
out, err = p.communicate()

出去是你想要的。

关于其他答案的重要提示

注意我是如何传入命令的。“ntpq -p”示例引出了另一个问题。由于Popen不调用shell,因此可以使用命令和选项的列表- ["ntpq", "-p"]。

其他回答

下面将在单个变量中捕获流程的stdout和stderr。它兼容Python 2和3:

from subprocess import check_output, CalledProcessError, STDOUT

command = ["ls", "-l"]
try:
    output = check_output(command, stderr=STDOUT).decode()
    success = True 
except CalledProcessError as e:
    output = e.output.decode()
    success = False

如果你的命令是一个字符串而不是一个数组,用前缀this:

import shlex
command = shlex.split(command)

在Python 2.7或Python 3中

不用直接创建Popen对象,你可以使用subprocess.check_output()函数将命令的输出存储在字符串中:

from subprocess import check_output
out = check_output(["ntpq", "-p"])

在Python 2.4-2.6中

使用沟通方法。

import subprocess
p = subprocess.Popen(["ntpq", "-p"], stdout=subprocess.PIPE)
out, err = p.communicate()

出去是你想要的。

关于其他答案的重要提示

注意我是如何传入命令的。“ntpq -p”示例引出了另一个问题。由于Popen不调用shell,因此可以使用命令和选项的列表- ["ntpq", "-p"]。

在Python 3.7+中,你可以为subprocess.run使用新的capture_output=关键字参数:

import subprocess

p = subprocess.run(["echo", "hello world!"], capture_output=True, text=True)
assert p.stdout == 'hello world!\n'
 import os   
 list = os.popen('pwd').read()

在这种情况下,列表中只有一个元素。

这对我来说太完美了。 您将在元组中获得返回代码、stdout和stderr。

from subprocess import Popen, PIPE

def console(cmd):
    p = Popen(cmd, shell=True, stdout=PIPE)
    out, err = p.communicate()
    return (p.returncode, out, err)

例如:

result = console('ls -l')
print 'returncode: %s' % result[0]
print 'output: %s' % result[1]
print 'error: %s' % result[2]