如果我执行以下操作:
import subprocess from cStringIO import StringIO subprocess.Popen(['grep','f'],stdout=subprocess.PIPE,stdin=StringIO('one\ntwo\nthree\nfour\nfive\nsix\n')).communicate()[0]
我得到:
Traceback (most recent call last): File "<stdin>", line 1, in ? File "/build/toolchain/mac32/python-2.4.3/lib/python2.4/subprocess.py", line 533, in __init__ (p2cread, p2cwrite, File "/build/toolchain/mac32/python-2.4.3/lib/python2.4/subprocess.py", line 830, in _get_handles p2cread = stdin.fileno() AttributeError: 'cStringIO.StringI' object has no attribute 'fileno'
显然,cStringIO.StringIO 对象与文件鸭的距离不够近,无法适应 subprocess.Popen。我该如何解决这个问题?
Popen.communicate()文档:
Popen.communicate()
请注意,如果您想将数据发送到进程的标准输入,您需要使用标准输入=PIPE 创建 Popen 对象。同样,要在结果元组中获得除 None 以外的任何内容,您也需要提供 stdout=PIPE 和/或 stderr=PIPE 。 替换 os.popen*
请注意,如果您想将数据发送到进程的标准输入,您需要使用标准输入=PIPE 创建 Popen 对象。同样,要在结果元组中获得除 None 以外的任何内容,您也需要提供 stdout=PIPE 和/或 stderr=PIPE 。
替换 os.popen*
pipe = os.popen(cmd, 'w', bufsize) # ==> pipe = Popen(cmd, shell=True, bufsize=bufsize, stdin=PIPE).stdin
警告 使用communicate() 而不是stdin.write()、stdout.read() 或stderr.read() 以避免由于任何其他OS 管道缓冲区填满并阻塞子进程而导致的死锁。
所以你的例子可以写成如下:
from subprocess import Popen, PIPE, STDOUT p = Popen(['grep', 'f'], stdout=PIPE, stdin=PIPE, stderr=STDOUT) grep_stdout = p.communicate(input=b'one\ntwo\nthree\nfour\nfive\nsix\n')[0] print(grep_stdout.decode()) # -> four # -> five # ->
在 Python 3.5+(3.6+ for encoding)上,您可以使用subprocess.run, 将输入作为字符串传递给外部命令并获取其退出状态,并在一次调用中将其输出作为字符串返回:
encoding
subprocess.run
#!/usr/bin/env python3 from subprocess import run, PIPE p = run(['grep', 'f'], stdout=PIPE, input='one\ntwo\nthree\nfour\nfive\nsix\n', encoding='ascii') print(p.returncode) # -> 0 print(p.stdout) # -> four # -> five # ->