Python에서 하위 프로세스의 결과를 파일과 터미널에 동시에 출력하는 방법
subprocess.call()을 사용할 때 다음을 지정할 수 있습니다. outf 및 errf와 같은 파일 설명자를 사용하여 stdout 및 stderr을 특정 파일로 리디렉션합니다. 그러나 이러한 결과는 터미널에 동시에 표시되지 않습니다.
Popen 및 Threading을 사용한 솔루션:
이를 극복하기 위해 Popen을 직접 활용하고 stdout=자식 프로세스의 stdout에서 읽기 위한 PIPE 인수입니다. 방법은 다음과 같습니다.
<code class="python">import subprocess from threading import Thread def tee(infile, *files): # Forward output from `infile` to `files` in a separate thread def fanout(infile, *files): for line in iter(infile.readline, ""): for f in files: f.write(line) t = Thread(target=fanout, args=(infile,) + files) t.daemon = True t.start() return t def teed_call(cmd_args, **kwargs): # Override `stdout` and `stderr` arguments with PIPE to capture standard outputs stdout, stderr = [kwargs.pop(s, None) for s in ["stdout", "stderr"]] p = subprocess.Popen( cmd_args, stdout=subprocess.PIPE if stdout is not None else None, stderr=subprocess.PIPE if stderr is not None else None, **kwargs ) # Create threads to simultaneously write to files and terminal threads = [] if stdout is not None: threads.append(tee(p.stdout, stdout, sys.stdout)) if stderr is not None: threads.append(tee(p.stderr, stderr, sys.stderr)) # Join the threads to ensure IO completion before proceeding for t in threads: t.join() return p.wait()</code>
이 기능을 사용하면 하위 프로세스를 실행하고 해당 출력을 파일과 터미널에 동시에 쓸 수 있습니다.
<code class="python">outf, errf = open("out.txt", "wb"), open("err.txt", "wb") teed_call(["cat", __file__], stdout=None, stderr=errf) teed_call(["echo", "abc"], stdout=outf, stderr=errf, bufsize=0) teed_call(["gcc", "a b"], close_fds=True, stdout=outf, stderr=errf)</code>
위 내용은 Python에서 하위 프로세스 출력을 파일과 터미널로 동시에 리디렉션하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!