监控子进程命令的实时输出
在Python中,subprocess.Popen允许您在控制子进程的输入和输出的同时执行子进程。默认情况下,Popen 将 stdout 和 stderr 捕获到稍后可以访问的缓冲区中。然而,这对于实时监控子进程的进度来说可能是不够的。
同时输出存储和实时流
同时存储用于日志记录的输出并提供直播,可以采用多种方法:
基于文件方法
创建一个用于日志记录的文件对象,将其传递给 Popen 的 stdout 参数,并打开同一文件以非阻塞模式进行读取。您可以循环监视文件的内容,将它们写入控制台和日志文件。这允许您增量检索输出。
with io.open("test.log", "wb") as writer, io.open("test.log", "rb", 1) as reader: process = subprocess.Popen(command, stdout=writer) while process.poll() is None: sys.stdout.write(reader.read()) time.sleep(0.5) # Read the remaining sys.stdout.write(reader.read())
基于迭代器的方法
从 Popen 的 stdout 创建一个迭代器,并使用它连续读取和写入标准输出和日志文件。此方法适用于处理 stdout 和日志文件的字节流。
import subprocess import sys with open("test.log", "wb") as f: process = subprocess.Popen(your_command, stdout=subprocess.PIPE) # replace "" with b"" for Python 3 for c in iter(lambda: process.stdout.read(1), ""): sys.stdout.buffer.write(c) f.buffer.write(c)
注意: 如果需要,这些方法需要显式处理二进制数据。对于 Python 3,将 open 语句中的“”替换为 b“”,将“w”替换为“wb”。
以上是如何在 Python 中实时监控和记录子进程输出?的详细内容。更多信息请关注PHP中文网其他相关文章!