逐行读取子进程标准输出

问题描述 投票:199回答:7

我的python脚本使用subprocess来调用非常嘈杂的linux实用程序。我想将所有输出存储到日志文件中并向用户显示一些输出。我认为以下内容可行,但在实用程序产生大量输出之前,输出不会显示在我的应用程序中。

#fake_utility.py, just generates lots of output over time
import time
i = 0
while True:
   print hex(i)*512
   i += 1
   time.sleep(0.5)

#filters output
import subprocess
proc = subprocess.Popen(['python','fake_utility.py'],stdout=subprocess.PIPE)
for line in proc.stdout:
   #the real code does filtering here
   print "test:", line.rstrip()

我真正想要的行为是过滤器脚本在从子进程接收时打印每一行。像tee那样使用python代码进行排序。

我错过了什么?这甚至可能吗?


更新:

如果将sys.stdout.flush()添加到fake_utility.py,则代码在python 3.1中具有所需的行为。我正在使用python 2.6。你会认为使用proc.stdout.xreadlines()会像py3k一样工作,但事实并非如此。


更新2:

这是最小的工作代码。

#fake_utility.py, just generates lots of output over time
import sys, time
for i in range(10):
   print i
   sys.stdout.flush()
   time.sleep(0.5)

#display out put line by line
import subprocess
proc = subprocess.Popen(['python','fake_utility.py'],stdout=subprocess.PIPE)
#works in python 3.0+
#for line in proc.stdout:
for line in iter(proc.stdout.readline,''):
   print line.rstrip()
python subprocess
7个回答
163
投票

自从我上次使用Python以来已经很长时间了,但我认为问题在于for line in proc.stdout语句,它在迭代之前读取整个输入。解决方案是使用readline()代替:

#filters output
import subprocess
proc = subprocess.Popen(['python','fake_utility.py'],stdout=subprocess.PIPE)
while True:
  line = proc.stdout.readline()
  if not line:
    break
  #the real code does filtering here
  print "test:", line.rstrip()

当然,你仍然需要处理子进程的缓冲。

注意:according to the documentation使用迭代器的解决方案应该等效于使用readline(),除了预读缓冲区,但是(或者正是因为这个)建议的更改确实为我产生了不同的结果(Windows XP上的Python 2.5)。


37
投票

派对迟到了,但很惊讶没有看到我认为这里最简单的解决方案:

import io
import subprocess

proc = subprocess.Popen(["prog", "arg"], stdout=subprocess.PIPE)
for line in io.TextIOWrapper(proc.stdout, encoding="utf-8"):  # or another encoding
    # do something with line

17
投票

实际上,如果您整理了迭代器,那么缓冲现在可能是您的问题。您可以告诉子进程中的python不要缓冲其输出。

proc = subprocess.Popen(['python','fake_utility.py'],stdout=subprocess.PIPE)

proc = subprocess.Popen(['python','-u', 'fake_utility.py'],stdout=subprocess.PIPE)

从python中调用python时我需要这个。


13
投票

您想将这些额外参数传递给subprocess.Popen

bufsize=1, universal_newlines=True

然后你可以像你的例子一样迭代。 (使用Python 3.5测试)


1
投票

我尝试使用python3,它工作,source

def output_reader(proc):
    for line in iter(proc.stdout.readline, b''):
        print('got line: {0}'.format(line.decode('utf-8')), end='')


def main():
    proc = subprocess.Popen(['python', 'fake_utility.py'],
                            stdout=subprocess.PIPE,
                            stderr=subprocess.STDOUT)

    t = threading.Thread(target=output_reader, args=(proc,))
    t.start()

    try:
        time.sleep(0.2)
        import time
        i = 0

        while True:
        print (hex(i)*512)
        i += 1
        time.sleep(0.5)
    finally:
        proc.terminate()
        try:
            proc.wait(timeout=0.2)
            print('== subprocess exited with rc =', proc.returncode)
        except subprocess.TimeoutExpired:
            print('subprocess did not terminate in time')
    t.join()

1
投票

您还可以读取没有循环的行。适用于python3.6。

import os
import subprocess

process = subprocess.Popen(command, stdout=subprocess.PIPE)
list_of_byte_strings = process.stdout.readlines()

1
投票

以下对Rômulo的回答的修改对Python 2和3(2.7.12和3.6.1)起作用:

import os
import subprocess

process = subprocess.Popen(command, stdout=subprocess.PIPE)
while True:
  line = process.stdout.readline()
  if line != '':
    os.write(1, line)
  else:
    break

0
投票

允许同时迭代stdoutstderr的函数,实时,逐行

如果您需要同时获取stdoutstderr的输出流,可以使用以下函数。

该函数使用Queues将两个Popen管道合并为一个迭代器。

在这里我们创建函数read_popen_pipes()

from queue import Queue, Empty
from concurrent.futures import ThreadPoolExecutor


def enqueue_output(file, queue):
    for line in iter(file.readline, ''):
        queue.put(line)
    file.close()


def read_popen_pipes(p):

    with ThreadPoolExecutor(2) as pool:
        q_stdout, q_stderr = Queue(), Queue()

        pool.submit(enqueue_output, p.stdout, q_stdout)
        pool.submit(enqueue_output, p.stderr, q_stderr)

        while True:

            if p.poll() is not None and q_stdout.empty() and q_stderr.empty():
                break

            out_line = err_line = ''

            try:
                out_line = q_stdout.get_nowait()
                err_line = q_stderr.get_nowait()
            except Empty:
                pass

            yield (out_line, err_line)

read_popen_pipes()正在使用中:

import subprocess as sp


with sp.Popen(my_cmd, stdout=sp.PIPE, stderr=sp.PIPE, text=True) as p:

    for out_line, err_line in read_popen_pipes(p):

        # Do stuff with each line, e.g.:
        print(out_line, end='')
        print(err_line, end='')

    return p.poll() # return status-code
© www.soinside.com 2019 - 2024. All rights reserved.