我正在使用Python 2.5并尝试在我的程序中使用自定义excepthook
。在主线程中,它完美地运行。但是在以线程模块开始的线程中,通常会调用excepthook
。
以下是显示问题的示例。取消注释评论会显示所需的行为。
import threading, sys
def myexcepthook(type, value, tb):
print 'myexcepthook'
class A(threading.Thread, object):
def __init__(self):
threading.Thread.__init__(self, verbose=True)
# raise Exception('in main')
self.start()
def run(self):
print 'A'
raise Exception('in thread')
if __name__ == "__main__":
sys.excepthook = myexcepthook
A()
那么,如何在一个帖子中使用我自己的excepthook
?
答案 0 :(得分:15)
看起来这个bug仍然存在于(至少)3.4中,Nadia Alramli链接讨论中的一个解决方法似乎也适用于Python 3.4。
为了方便和文档起见,我会在这里发布(在我看来)最佳解决方法的代码。我稍微更新了编码风格和注释,使其更像PEP8和Pythonic。
import sys
import threading
def setup_thread_excepthook():
"""
Workaround for `sys.excepthook` thread bug from:
http://bugs.python.org/issue1230540
Call once from the main thread before creating any threads.
"""
init_original = threading.Thread.__init__
def init(self, *args, **kwargs):
init_original(self, *args, **kwargs)
run_original = self.run
def run_with_except_hook(*args2, **kwargs2):
try:
run_original(*args2, **kwargs2)
except Exception:
sys.excepthook(*sys.exc_info())
self.run = run_with_except_hook
threading.Thread.__init__ = init
答案 1 :(得分:11)
看起来有一个相关的错误报告here有变通方法。建议的hacks基本上是在try / catch中运行,然后调用sys.excepthook(*sys.exc_info())
答案 2 :(得分:6)
我只是偶然发现了这个问题,事实证明,是时候这样做了。
版本3.8中的新功能:threading.excepthook
处理Thread.run()引发的未捕获异常。
args参数具有以下属性:
exc_type:异常类型。
exc_value:异常值,可以为None。
exc_traceback:异常回溯,可以为None。
thread:引发异常的线程,可以为None。
我不知道为什么,但是要知道,与sys.excepthook
不同,threading.excepthook
接收的参数是namedtuple
而不是多个参数。