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

东西包括一些建议:

检索subprocess.call()的输出

,但是没有运气。

评论

对于这样的具体问题,最好始终发布您运行的实际代码以及实际的追溯或意外的行为。例如,我不知道您要如何尝试获取输出,并且我怀疑您实际上并没有开始那么远-您可能会因找不到“ ntpq -p”文件而出错。是问题所在与您要问的问题不同。

#1 楼

在Python 2.7或Python 3中,您可以直接使用Popen函数将命令输出存储在字符串中,而不必直接创建subprocess.check_output()对象:

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


在Python 2.4-2.6中

使用communicate方法。

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


out是您想要的。

关于其他答案的重要说明

请注意我如何传递命令。 "ntpq -p"示例带来了另一回事。由于Popen不会调用外壳程序,因此您将使用命令和选项的列表-["ntpq", "-p"]

评论


在这种情况下,python是否等待此系统调用完成?还是必须显式调用wait / waitpid函数?

– NoneType
10年7月22日在11:35

@NoneType,Popen.communicate在过程终止之前不会返回。

–麦克·格雷厄姆(Mike Graham)
2010年7月23日在2:34

如果要获取错误流,请添加stderr:p = subprocess.Popen([“” ntpq“,” -p“],stdout = subprocess.PIPE,stderr = subprocess.PIPE)

– Timofey
2014年5月27日12:29

小心,subprocess.check_output()返回一个字节对象,而不是一个str。如果您只想打印结果,那将没有任何区别。但是,如果要在结果上使用诸如myString.split(“ \ n”)之类的方法,则必须首先对bytes对象进行解码:subprocess.check_output(myParams).decode(“ utf-8”)实例。

– TanguyP
15年9月29日在15:57

添加Universal_newlines = True作为参数可以帮助我在Python 3中获取字符串对象。如果universal_newlines为True,则它们以默认编码以文本模式打开。否则,它们将作为二进制流打开。

–乔纳森·科玛(Jonathan Komar)
17年5月31日下午5:22

#2 楼

这对我来说可以重定向stdout(stderr可以类似地处理): 。

评论


这确实会产生一些奇怪的对象。当我将其转换为字符串时,它会像\ n一样转义空格。

–TomášZato-恢复莫妮卡
16年11月26日在18:13

请注意,这不会检查子流程是否正确运行。您可能也想在最后一行之后检查pipe.returncode == 0。

–塔基斯
18年6月8日14:56

之所以起作用,是因为Popen返回了stdout和stderr的元组,所以当您访问[0]时,您只是在获取stdout。您也可以输入文本,err = pipe.communicate(),然后文本将具有您所期望的

–乔纳
19-10-29在19:27

#3 楼

假设pwd只是一个示例,这是您可以做到的:

import subprocess

p = subprocess.Popen("pwd", stdout=subprocess.PIPE)
result = p.communicate()[0]
print result


有关另一个示例和更多信息,请参见子过程文档。

#4 楼

subprocess.Popen:http://docs.python.org/2/library/subprocess.html#subprocess.Popen

import subprocess

command = "ntpq -p"  # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=None, shell=True)

#Launch the shell command:
output = process.communicate()

print output[0]


在Popen构造函数中,如果shell是是的,您应该以字符串而不是序列的形式传递命令。否则,只需将命令拆分为一个列表:

command = ["ntpq", "-p"]  # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=None)


如果您还需要阅读标准错误,请在Popen初始化中将stderr设置为subprocess.PIPE或子过程。STDOUT:

import subprocess

command = "ntpq -p"  # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)

#Launch the shell command:
output, error = process.communicate()


评论


太棒了,这就是我想要的

–kRazzy R
19年11月14日在14:10

#5 楼

对于Python 2.7+,惯用的答案是使用subprocess.check_output()

在调用子流程时还应注意对参数的处理,因为这可能会造成一些混乱。 >如果args只是一个单独的命令而没有自己的args(或设置了shell=True),则它可以是字符串。否则它必须是一个列表。例如,要调用ls命令,这很好:

from subprocess import check_call
check_call('ls')


所以这:

from subprocess import check_call
check_call(['ls',])


但是,如果要将一些args传递给shell命令,则不能这样做:

from subprocess import check_call
check_call('ls -al')


,相反,您必须将其作为列表传递:创建子流程...


from subprocess import check_call
check_call(['ls', '-al'])


评论


五年后,这个问题仍然引起人们的广泛关注。感谢2.7+更新,Corey!

–马克
16年3月11日在8:06

#6 楼

这对我来说非常合适:

import subprocess
try:
    #prints results and merges stdout and std
    result = subprocess.check_output("echo %USERNAME%", stderr=subprocess.STDOUT, shell=True)
    print result
    #causes error and merges stdout and stderr
    result = subprocess.check_output("copy testfds", stderr=subprocess.STDOUT, shell=True)
except subprocess.CalledProcessError, ex: # error code <> 0 
    print "--------error------"
    print ex.cmd
    print ex.message
    print ex.returncode
    print ex.output # contains stdout and stderr together 


#7 楼

这对我来说是完美的。
您将在元组中获得返回代码,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)


例如: >

#8 楼

接受的答案仍然是好的,只是对新功能的一些评论。从python 3.6开始,您可以直接在check_output中处理编码,请参阅文档。现在将返回一个字符串对象:

import subprocess 
out = subprocess.check_output(["ls", "-l"], encoding="utf-8")


在python 3.7中,将参数capture_output添加到subprocess.run(),该参数为我们,请参见python文档:

import subprocess 
p2 = subprocess.run(["ls", "-l"], capture_output=True, encoding="utf-8")
p2.stdout


#9 楼

在Python 3.7中,为capture_output引入了新的关键字参数subprocess.run。启用简短说明:

 import subprocess

p = subprocess.run("echo 'hello world!'", capture_output=True, shell=True, encoding="utf8")
assert p.stdout == 'hello world!\n'
 


#10 楼

我根据其他答案在此处编写了一个小函数:

def pexec(*args):
    return subprocess.Popen(args, stdout=subprocess.PIPE).communicate()[0].rstrip()


用法:

changeset = pexec('hg','id','--id')
branch = pexec('hg','id','--branch')
revnum = pexec('hg','id','--num')
print('%s : %s (%s)' % (revnum, changeset, branch))


#11 楼

 import os   
 list = os.popen('pwd').read()


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

评论


不推荐使用os.popen,而使用subprocess模块​​。

–麦克·格雷厄姆(Mike Graham)
10 Mar 23 '10在19:17

这对于使用2.2.X系列Python的旧盒子的管理员非常有用。

– Neil McF
2011年4月11日13:21

#12 楼

import subprocess
output = str(subprocess.Popen("ntpq -p",shell = True,stdout = subprocess.PIPE, 
stderr = subprocess.STDOUT).communicate()[0])


这是一线解决方案

#13 楼

以下内容在单个变量中捕获了进程的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


如果您的命令是字符串而不是数组,请在其前面加上: br />

#14 楼

对于python 3.5,我根据先前的答案提出了功能。日志可能已被删除,以为拥有它很好。


#15 楼

使用check_output模块的subprocess方法
import subprocess

address = '192.168.x.x'
res = subprocess.check_output(['ping', address, '-c', '3'])

最后解析字符串
for line in res.splitlines():

希望对您有所帮助,编码愉快