多线程概述
多任务可以由多进程完成,也可以由一个进程内的多线程完成。由于线程是操作系统直接支持的执行单元,因此,高级语言通常都内置多线程的支持,Python也不例外,并且,Python的线程是真正的Posix Thread,而不是模拟出来的线程。
多线程(英语:multithreading),是指从软件或者硬件上实现多个线程并发执行的技术。多线程运行有如下优点:
- 使用线程可以把占据长时间的程序中的任务放到后台去处理
- 用户界面可以更加吸引人,这样比如用户点击了一个按钮去触发某些事件的处理,可以弹出一个进度条来显示处理的进度
- 程序的运行速度可能加快
- 在一些等待的任务实现上如用户输入、文件读写和网络收发数据等,线程就比较有用了。在这种情况下我们可以释放一些珍贵的资源如内存占用等等。
线程在执行过程中与进程还是有区别的。每个独立的进程有一个程序运行的入口、顺序执行序列和程序的出口。但是线程不能够独立执行,必须依存在应用程序中,由应用程序提供多个线程执行控制。
线程可以被抢占(中断)
在其他线程正在运行时,线程可以暂时被搁置(也称为睡眠),这是线程的退让
Python线程
学习Python线程之前先将Python环境搭建好。参见Python3 环境搭建
Python的标准库提供了两个模块:_thread
和threading
,_thread
是低级模块,threading
是高级模块,对_thread
进行了封装。绝大多数情况下,我们只需要使用threading
这个高级模块。
调用_thread模块中的start_new_thread()函数来产生新线程。语法如下:
_thread.start_new_thread ( function, args[, kwargs] )
参数说明:
function - 线程函数。
args - 传递给线程函数的参数,他必须是个tuple类型。
kwargs - 可选参数。
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
运行结果:
D:\develop\python3.6\python.exe D:/develop/pythondemo/123/demo.py
Thread-1: Sat Apr 20 11:07:25 2019
Thread-2: Sat Apr 20 11:07:27 2019
Thread-1: Sat Apr 20 11:07:27 2019
Thread-1: Sat Apr 20 11:07:29 2019
Thread-2: Sat Apr 20 11:07:31 2019
Thread-1: Sat Apr 20 11:07:31 2019
Thread-1: Sat Apr 20 11:07:33 2019
Thread-2: Sat Apr 20 11:07:35 2019
Thread-2: Sat Apr 20 11:07:39 2019
Thread-2: Sat Apr 20 11:07:43 2019
线程的结束一般依靠线程函数的自然结束;也可以在线程函数中调用_thread.exit(),他抛出SystemExit exception,达到退出线程的目的。
启动一个线程就是把一个函数传入并创建Thread
实例,然后调用start()
开始执行:
import time
import threading
def loop():
print('thread %s is running...' % threading.current_thread().name)
n = 0
while n < 5:
n = n + 1
print('thread %s >>> %s' % (threading.current_thread().name, n))
time.sleep(1)
print('thread %s ended.' % threading.current_thread().name)
print('thread %s is running...' % threading.current_thread().name)
t = threading.Thread(target=loop, name='LoopThread')
t.start()
t.join()
print('thread %s ended.' % threading.current_thread().name)
运行结果:
D:\develop\python3.6\python.exe D:/develop/pythondemo/123/demo.py
thread MainThread is running...
thread LoopThread is running...
thread LoopThread >>> 1
thread LoopThread >>> 2
thread LoopThread >>> 3
thread LoopThread >>> 4
thread LoopThread >>> 5
thread LoopThread ended.
thread MainThread ended.
Process finished with exit code 0
由于任何进程默认就会启动一个线程,我们把该线程称为主线程,主线程又可以启动新的线程,Python的threading
模块有个current_thread()
函数,它永远返回当前线程的实例。主线程实例的名字叫MainThread
,子线程的名字在创建时指定,我们用LoopThread
命名子线程。名字仅仅在打印时用来显示,完全没有其他意义,如果不起名字Python就自动给线程命名为Thread-1
,Thread-2
……
线程同步,线程优先级队列,Lock等内容以后再补