Python에서 지속적으로 업데이트되는 프로세스의 출력을 읽으려고 할 때 정지 문제가 발생할 수 있습니다. 이 문제는 특히 readlines() 메서드를 사용할 때 발생합니다.
제공된 코드 조각에서 프로세스 = os.popen("top")입니다. readlines() 라인으로 인해 프로그램이 중단됩니다. 이는 readlines()가 하위 프로세스의 전체 출력을 한 번에 읽기 때문에 상당한 양의 차단 작업을 초래할 수 있기 때문입니다.
더 나은 접근 방식은 다음과 같습니다. subprocess.Popen() 함수를 사용하여 하위 프로세스를 생성하고 해당 입력 및 출력을 관리합니다. 이를 수행하는 방법은 다음과 같습니다.
<code class="python">import subprocess process = subprocess.Popen('top') time.sleep(2) os.popen("killall top") print process</code>
이 코드는 Popen()을 사용하여 실행 중인 하위 프로세스를 생성합니다. 2초 동안 기다린 후 최상위 프로세스를 종료하고 마지막으로 하위 프로세스 개체를 인쇄합니다. 그러나 이 접근 방식은 여전히 형식화되지 않은 개체를 반환합니다.
프로그램을 차단하지 않고 하위 프로세스의 출력을 읽으려면 임시 파일을 사용하여 출력을 저장할 수 있습니다. 개선된 코드 버전은 다음과 같습니다.
<code class="python">#!/usr/bin/env python import subprocess import tempfile import time def main(): # Create a temporary file to store the subprocess output f = tempfile.TemporaryFile() # Start the subprocess and redirect its stdout to the temporary file process = subprocess.Popen(["top"], stdout=f) # Wait for a few seconds time.sleep(2) # Kill the subprocess process.terminate() process.wait() # Seek to the start of the temporary file and read the output f.seek(0) output = f.read() # Close the temporary file f.close() # Print the output of the subprocess print(output) if __name__=="__main__": main()</code>
이 솔루션을 사용하면 하위 프로세스의 출력을 읽는 동안 프로그램이 중단되지 않습니다. subprocess.wait() 메서드는 하위 프로세스가 종료될 때까지 기다리며 파일에 액세스하기 전에 모든 출력이 파일에 기록되었는지 확인합니다.
위 내용은 지속적으로 업데이트되는 프로세스에서 출력을 읽을 때 Python이 정지되는 것을 방지하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!