我有一个 Python GUI,用于测试我工作的各个方面。目前我有一个“停止”按钮,它会在每次测试结束时终止进程(可以设置多个测试同时运行)。但是,有些测试需要很长时间才能运行,如果我需要停止测试,我希望它立即停止。我的想法是使用
import pdb; pdb.set_trace()
exit
但我不确定如何将它注入到下一行代码中。这可能吗?
如果它是一个线程,您可以使用较低级别thread
(或_thread
在 Python 3 中)模块通过调用thread.exit()
.
从文档中:
一种更简洁的方法(取决于您的处理设置方式)是使用实例变量向线程发出停止处理并退出的信号,然后join()
从主线程调用该方法以等待线程退出。
例子:
class MyThread(threading.Thread):
def __init__(self):
super(MyThread, self).__init__()
self._stop_req = False
def run(self):
while not self._stop_req:
pass
# processing
# clean up before exiting
def stop(self):
# triggers the threading event
self._stop_req = True;
def main():
# set up the processing thread
processing_thread = MyThread()
processing_thread.start()
# do other things
# stop the thread and wait for it to exit
processing_thread.stop()
processing_thread.join()
if __name__ == "__main__":
main()