python中如何实现多线程
时间: 2024-10-15 15:28:38 浏览: 28
多线程与多进程.rar
在Python中,有两个模块可以用于实现多线程:`_thread`和`threading`。其中,`_thread`是低级模块,而`threading`是高级模块。
使用`_thread`模块创建线程的基本步骤如下:
1. 导入_thread模块
2. 定义一个函数,作为线程执行的代码
3. 创建一个线程对象,传入函数和参数
4. 启动线程
示例代码如下:
```python
import _thread
import time
# 定义函数,作为线程执行的代码
def print_time(threadName, delay):
count = 0
while count < 5:
time.sleep(delay)
count += 1
print("%s: %s" % (threadName, time.ctime(time.time())))
# 创建线程对象
try:
_thread.start_new_thread(print_time, ("Thread-1", 2))
_thread.start_new_thread(print_time, ("Thread-2", 4))
except:
print("Error: unable to start thread")
# 启动线程
while 1:
pass
```
使用`threading`模块创建线程的基本步骤如下:
1. 导入threading模块
2. 定义一个类,继承自threading.Thread类,并重写run()方法(run()方法中是线程执行的代码)
3. 创建一个线程对象,传入类实例化对象,并调用start()方法启动线程
示例代码如下:
```python
import threading
import time
# 定义类,继承自threading.Thread类
class MyThread(threading.Thread):
def __init__(self, threadID, name, delay):
threading.Thread.__init__(self)
self.threadID = threadID
self.name = name
self.delay = delay
# 重写run()方法,线程执行的代码写在里面
def run(self):
print("Starting " + self.name)
print_time(self.name, self.delay)
print("Exiting " + self.name)
# 定义函数,作为线程执行的代码
def print_time(threadName, delay):
count = 0
while count < 5:
time.sleep(delay)
count += 1
print("%s: %s" % (threadName, time.ctime(time.time())))
# 创建线程对象
thread1 = MyThread(1, "Thread-1", 2)
thread2 = MyThread(2, "Thread-2", 4)
# 启动线程
thread1.start()
thread2.start()
# 等待线程结束
thread1.join()
thread2.join()
print("Exiting Main Thread")
```
阅读全文