温馨提示×

python怎么杀掉所有线程

小亿
84
2024-04-26 22:27:47
栏目: 编程语言

在Python中,要杀掉所有线程可以使用threading模块提供的方法来实现。下面是一个简单的示例代码,演示如何停止所有线程:

import threading

# 定义一个线程类
class MyThread(threading.Thread):
    def __init__(self, name):
        super().__init__()
        self.name = name
    
    def run(self):
        while True:
            print(f"Thread {self.name} is running")

# 创建多个线程
threads = []
for i in range(5):
    thread = MyThread(str(i))
    threads.append(thread)
    thread.start()

# 停止所有线程
for thread in threads:
    thread.join()  # 等待线程执行完成

print("All threads are stopped")

在上面的示例中,我们首先创建了5个线程并启动它们,然后使用join()方法等待每个线程执行完成。这样就可以实现停止所有线程的效果。当所有线程执行完成后,程序会输出All threads are stopped

0