7

我正在使用线程从流(/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() 循环内的布尔变量 - 在这里不起作用。处理此问题的推荐方法是什么?

我可以只设置 Daemon 标志,但是我将无法使用可能在以后证明有价值的 quit() 方法(进行一些清理)。有任何想法吗?

4

2 回答 2

6

AFAIK,在 Python 3 中没有内置机制(就像在 Python 2 中一样)。您是否尝试过使用此处此处PyThreadState_SetAsyncExc记录的经过验证的 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)
于 2011-06-15T12:41:06.863 回答
4

使您的线程成为守护线程。当所有非守护线程都退出时,程序退出。所以当 Ctrl-C 被传递给你的程序并且主线程退出时,没有必要明确地杀死读者。

    myReader = Reader()
    myReader.daemon = True
    myReader.start()
于 2011-09-12T03:12:39.667 回答