문제 설명:
os.popen을 사용하는 Python 프로그램에서 () 또는 subprocess.Popen()을 사용하여 지속적으로 업데이트되는 프로세스(예: top)의 출력을 읽으려는 경우, readlines()를 사용하여 모든 줄을 읽으려고 하면 프로그램이 중단될 수 있습니다.
임시 파일 및 하위 프로세스 사용:
<code class="python">import subprocess import tempfile import time def main(): # Open a temporary file for process output with tempfile.TemporaryFile() as f: # Start the process and redirect its stdout to the file process = subprocess.Popen(["top"], stdout=f) # Wait for a specified amount of time time.sleep(2) # Kill the process process.terminate() process.wait() # Wait for the process to terminate to ensure complete output # Seek to the beginning of the file and print its contents f.seek(0) print(f.read()) if __name__ == "__main__": main()</code>
이 접근 방식은 임시 파일을 사용하여 프로세스 출력을 저장하므로 프로그램이 readlines()에서 차단되는 것을 방지할 수 있습니다.
다른 스레드와 함께 대기열 사용:
<code class="python">import collections import subprocess import threading def main(): # Create a queue to store process output q = collections.deque() # Start the process and redirect its stdout to a thread process = subprocess.Popen(["top"], stdout=subprocess.PIPE) t = threading.Thread(target=process.stdout.readline, args=(q.append,)) t.daemon = True t.start() # Wait for a specified amount of time time.sleep(2) # Terminate the process process.terminate() t.join() # Wait for the thread to finish # Print the stored output print(''.join(q)) if __name__ == "__main__": main()</code>
signal.alarm() 사용:
<code class="python">import collections import signal import subprocess class Alarm(Exception): pass def alarm_handler(signum, frame): raise Alarm def main(): # Create a queue to store process output q = collections.deque() # Register a signal handler to handle alarm signal.signal(signal.SIGALRM, alarm_handler) # Start the process and redirect its stdout process = subprocess.Popen(["top"], stdout=subprocess.PIPE) # Set an alarm to terminate the process after a specified amount of time signal.alarm(2) # Read lines until the alarm is raised or the process terminates try: while True: line = process.stdout.readline() if not line: break q.append(line) except Alarm: process.terminate() # Cancel the alarm if it hasn't already fired signal.alarm(0) # Wait for the process to finish process.wait() # Print the stored output print(''.join(q)) if __name__ == "__main__": main()</code>
이러한 대안을 사용하면 프로세스 출력을 저장하는 동안 프로그램이 계속 실행될 수 있습니다. 프로세스 출력을 지속적으로 모니터링해야 하는 경우에 더 적합할 수 있습니다.
위 내용은 Python에서 프로세스 출력을 중지할 때 Readline 중단을 방지하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!