我正在使用一个线程从流(/ dev / tty1)中读取字符串,同时处理主循环中的其他内容。我想在按CTRL-C时线程与主程序一起终止。
from threading import Thread
class myReader(Thread):
def run(self):
with open('/dev/tty1', encoding='ascii') as myStream:
for myString in myStream:
print(myString)
def quit(self):
pass # stop reading, close stream, terminate the thread
myReader = Reader()
myReader.start()
while(True):
try:
pass # do lots of stuff
KeyboardInterrupt:
myReader.quit()
raise
通常的解决方案 - run()循环中的布尔变量 - 在这里不起作用。推荐的解决方法是什么?
我可以设置守护进程标志,但之后我将无法使用quit()方法,这可能在以后证明是有价值的(进行一些清理)。有什么想法吗?
答案 0 :(得分:4)
AFAIK,Python 3中没有内置机制(就像在Python 2中一样)。您是否使用PyThreadState_SetAsyncExc
,记录here和here或替代跟踪方法here尝试了经过验证的Python 2方法?
以上是PyThreadState_SetAsyncExc
方法的略微修改版本:
import threading import inspect import ctypes def _async_raise(tid, exctype): """raises the exception, performs cleanup if needed""" if not inspect.isclass(exctype): exctype = type(exctype) res = ctypes.pythonapi.PyThreadState_SetAsyncExc(ctypes.c_long(tid), ctypes.py_object(exctype)) if res == 0: raise ValueError("invalid thread id") elif res != 1: # """if it returns a number greater than one, you're in trouble, # and you should call it again with exc=NULL to revert the effect""" ctypes.pythonapi.PyThreadState_SetAsyncExc(tid, None) raise SystemError("PyThreadState_SetAsyncExc failed") def stop_thread(thread): _async_raise(thread.ident, SystemExit)
答案 1 :(得分:4)
让你的帖子成为daemon thread。当所有非守护程序线程都退出时,程序退出。所以当Ctrl-C传递给你的程序并且主线程退出时,就没有必要明确地杀死你的读者。
myReader = Reader()
myReader.daemon = True
myReader.start()