サブプロセスのstdoutの最初のバイトを読み取って、実行が開始されたことを確認したいと思います。その後、バッファについて心配する必要がないように、それ以降の出力をすべて破棄したいと思います。
これを行うための最良の方法は何ですか?
明確化:サブプロセスをプログラムと一緒に実行し続けたいのですが、終了するのを待ちたくありません。理想的には、threading
、fork
ing、またはmultiprocessing
に頼らずに、これを行う簡単な方法がいくつかあります。
出力ストリーム、または.close()
を無視すると、バッファに収まらないほど多くのデータが送信されるとエラーが発生します。
Python 3.3+を使用している場合は、DEVNULL
およびstdout
にstderr
特殊値を使用して、サブプロセス出力を破棄できます。
from subprocess import Popen, DEVNULL
process = Popen(["mycmd", "myarg"], stdout=DEVNULL, stderr=DEVNULL)
または、Python 2.4+を使用している場合は、次の方法でこれをシミュレートできます。
import os
from subprocess import Popen
DEVNULL = open(os.devnull, 'wb')
process = Popen(["mycmd", "myarg"], stdout=DEVNULL, stderr=DEVNULL)
ただし、これではstdoutの最初のバイトを読み取る機会は与えられません。
これはうまくいくようですが、慣用的な感じはしません。
#!/usr/bin/env python3.1
import threading
import subprocess
def discard_stream_while_running(stream, process):
while process.poll() is None:
stream.read(1024)
def discard_subprocess_pipes(process, out=True, err=True, in_=True):
if out and process.stdout is not None and not process.stdout.closed:
t = threading.Thread(target=discard_stream_while_running, args=(process.stdout, process))
t.start()
if err and process.stderr is not None and not process.stderr.closed:
u = threading.Thread(target=discard_stream_while_running, args=(process.stderr, process))
u.start()
if in_ and process.stdin is not None and not process.stdin.closed:
process.stdin.close()
if __name__ == "__main__":
import tempfile
import textwrap
import time
with tempfile.NamedTemporaryFile("w+t", prefix="example-", suffix=".py") as f:
f.write(textwrap.dedent("""
import sys
import time
sys.stderr.write("{} byte(s) read through stdin.\\n"
.format(len(sys.stdin.read())))
# Push a couple of MB/s to stdout, messages to stderr.
while True:
sys.stdout.write("Hello Parent\\n" * 1000000)
sys.stderr.write("Subprocess Writing Data\\n")
time.sleep(0.5)
"""))
f.flush()
p = subprocess.Popen(["python3.1", f.name],
stdout=subprocess.PIPE,
stdin=subprocess.PIPE)
p.stdin.write("Hello Child\n".encode())
discard_subprocess_pipes(p) # <-- Here
for s in range(16, 0, -1):
print("Main Process Running For", s, "More Seconds")
time.sleep(1)