我正在尝试用Python进行系统调用,并将输出存储到我可以在Python程序中操作的字符串。
#!/usr/bin/python
import subprocess
p2 = subprocess.Popen("ntpq -p")
我尝试过一些事情,包括这里的一些建议:
Retrieving the output of subprocess.call()
但没有任何运气。
答案 0 :(得分:421)
在Python 2.7或Python 3中
您可以使用subprocess.check_output()
function将命令的输出存储在字符串中,而不是直接创建Popen
对象:
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
不会调用shell,因此您将使用命令和选项列表 - ["ntpq", "-p"]
。
答案 1 :(得分:36)
这对我来说可以重定向stdout(stderr可以类似地处理):
from subprocess import Popen, PIPE
pipe = Popen(path, stdout=PIPE)
text = pipe.communicate()[0]
如果它对您不起作用,请准确说明您遇到的问题。
答案 2 :(得分:22)
假设pwd
只是一个例子,你可以这样做:
import subprocess
p = subprocess.Popen("pwd", stdout=subprocess.PIPE)
result = p.communicate()[0]
print result
请参阅subprocess documentation了解another example以及更多信息。
答案 3 :(得分:19)
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 True ,则应将命令作为字符串而不是序列传递。否则,只需将命令拆分为一个列表:
command = ["ntpq", "-p"] # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=None)
如果您还需要阅读标准错误,请在Popen初始化中将 stderr 设置为 subprocess.PIPE 或 subprocess.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()
答案 4 :(得分:11)
这对我很有用:
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
答案 5 :(得分:11)
对于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'])
在创建子进程之前,shlex.split()
函数有时可以将字符串拆分为类似shell的语法...
像这样:
from subprocess import check_call
import shlex
check_call(shlex.split('ls -al'))
答案 6 :(得分:8)
这对我来说很完美。 您将在元组中获得返回码,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]
答案 7 :(得分:4)
import os
list = os.popen('pwd').read()
在这种情况下,列表中只有一个元素。
答案 8 :(得分:4)
我根据其他答案写了一个小函数:
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))
答案 9 :(得分:2)
被接受的答案仍然是好的,只是对新功能的一些评论。从python 3.6开始,您可以直接在check_output
中处理编码,请参见documentation。现在将返回一个字符串对象:
import subprocess
out = subprocess.check_output(["ls", "-l"], encoding="utf-8")
在python 3.7中,将参数capture_output
添加到subprocess.run()中,该参数为我们执行了一些Popen / PIPE处理,请参见the python docs:
import subprocess
p2 = subprocess.run(["ls", "-l"], capture_output=True, encoding="utf-8")
p2.stdout
答案 10 :(得分:1)
import subprocess
output = str(subprocess.Popen("ntpq -p",shell = True,stdout = subprocess.PIPE,
stderr = subprocess.STDOUT).communicate()[0])
这是一种解决方案
答案 11 :(得分:0)
以下内容在单个变量中捕获进程的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
如果您的命令是字符串而不是数组,请在其前面加上
import shlex
command = shlex.split(command)
答案 12 :(得分:0)
对于python 3.5,我根据先前的答案提出了功能。日志可能已删除,以为很高兴
float
答案 13 :(得分:0)
在Python 3.7中,为capture_output
引入了新的关键字参数subprocess.run
。启用简短功能:
import subprocess
p = subprocess.run("echo 'hello world!'", capture_output=True)
assert str(p.stdout, 'utf8') == 'hello world!'
答案 14 :(得分:0)
使用check_output
模块的subprocess
方法
import subprocess
address = '192.168.x.x'
res = subprocess.check_output(['ping', address, '-c', '3'])
最后解析字符串
for line in res.splitlines():
希望它能帮助您,编写愉快的代码