我试图在Python中进行系统调用,并将输出存储为我可以在Python程序中操作的字符串。
#!/usr/bin/python
import subprocess
p2 = subprocess.Popen("ntpq -p")
我尝试了一些事情,包括这里的一些建议:
检索subprocess.call()的输出
但运气不好。
我试图在Python中进行系统调用,并将输出存储为我可以在Python程序中操作的字符串。
#!/usr/bin/python
import subprocess
p2 = subprocess.Popen("ntpq -p")
我尝试了一些事情,包括这里的一些建议:
检索subprocess.call()的输出
但运气不好。
当前回答
下面将在单个变量中捕获流程的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)
其他回答
使用子进程模块的check_output方法
import subprocess
address = '192.168.x.x'
res = subprocess.check_output(['ping', address, '-c', '3'])
最后解析字符串
for line in res.splitlines():
希望能有所帮助,编码愉快
对于python 3.5,我根据前面的回答提出了函数。原木可能被移除,但它很好
import shlex
from subprocess import check_output, CalledProcessError, STDOUT
def cmdline(command):
log("cmdline:{}".format(command))
cmdArr = shlex.split(command)
try:
output = check_output(cmdArr, stderr=STDOUT).decode()
log("Success:{}".format(output))
except (CalledProcessError) as e:
output = e.output.decode()
log("Fail:{}".format(output))
except (Exception) as e:
output = str(e);
log("Fail:{}".format(e))
return str(output)
def log(msg):
msg = str(msg)
d_date = datetime.datetime.now()
now = str(d_date.strftime("%Y-%m-%d %H:%M:%S"))
print(now + " " + msg)
if ("LOG_FILE" in globals()):
with open(LOG_FILE, "a") as myfile:
myfile.write(now + " " + msg + "\n")
我根据其他答案写了一个小函数:
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))
这为我重定向stdout工作(stderr可以类似地处理):
from subprocess import Popen, PIPE
pipe = Popen(path, stdout=PIPE)
text = pipe.communicate()[0]
如果它不适合你,请具体说明你的问题。
假设pwd只是一个例子,你可以这样做:
import subprocess
p = subprocess.Popen("pwd", stdout=subprocess.PIPE)
result = p.communicate()[0]
print result
有关另一个示例和更多信息,请参阅子流程文档。