python thread 线程里面有死循环,应该怎么停止这个线程?给出代码
时间: 2023-08-16 10:07:15 浏览: 256
python 如何停止一个死循环的线程
一个常见的方法是使用一个共享变量来控制线程的运行状态。在主线程中设置共享变量的值,线程在运行时检查该变量的值,以决定是否继续运行或停止。
以下是一个简单的示例代码:
```python
import threading
import time
class MyThread(threading.Thread):
def __init__(self):
super().__init__()
self._stop_event = threading.Event() # 创建一个事件对象
def run(self):
while not self._stop_event.is_set(): # 判断事件是否已设置
print("Thread is running...")
time.sleep(1) # 线程停顿一秒钟
def stop(self):
self._stop_event.set() # 设置事件
if __name__ == '__main__':
th = MyThread()
th.start() # 开始线程
# 停止线程
time.sleep(5)
th.stop()
th.join() # 等待线程结束
print("Thread stopped.")
```
在这个例子中,我们创建了一个`MyThread`类,它继承自`threading.Thread`。在`__init__`方法中,我们创建了一个`threading.Event`对象,用于控制线程的运行状态。在`run`方法中,我们使用一个死循环来模拟线程的持续运行,同时在循环中检查事件的状态。在`stop`方法中,我们设置了事件,以便在主线程中调用该方法时停止线程。在主线程中,我们创建了一个`MyThread`对象,并使用`start`方法开始线程。然后等待5秒钟,调用`stop`方法停止线程,并使用`join`方法等待线程结束。最后,我们打印出线程已停止的消息。
注意,这种方法只能停止处于等待事件状态的线程。如果线程正在执行某些操作并且没有检查事件状态,则该方法可能无法正常工作。因此,在编写线程时,请确保在合适的地方检查事件的状态,以便在需要时停止线程。
阅读全文