Python 多线程 使用线程 (二)
Python中实现多线程需要使用到 threading 库,其中每一个 Thread类 的实例控制一个线程。
Thread类
#类签名
def __init__(self, group=None, target=None, name=None,
args=(), kwargs=None, *, daemon=None):
简单介绍一些初始化参数:
target: 指定线程由 run () 方法调用的可调用对象。默认为 None, 意味着不调用任何内容。
name: 指定该线程的名称。 在默认情况下,创建一个唯一的名称。
args: target调用的实参,元组格式。默认为 (),即不传参。
daemon: 为False表示父线程在运行结束时需要等待子线程结束才能结束程序,为True则表示父线程在运行结束时,子线程无论是否还有任务未完成都会跟随父进程退出,结束程序。
线程启动:
import threading def worker(arg):#线程执行的目标函数
print("I'm working {}".format(arg))
print("Fineshed") t = threading.Thread(target=worker,args=(threading.current_thread(),),name="firstworker")#线程对象
t.start()#启动线程 运行结果:
I'm working <_MainThread(MainThread, started 10936)>
Fineshed
上面例子中,当函数执行完之后,线程也就跟着退出了。
线程的传参:
import threading def add(x,y):
print(x+y) t = threading.Thread(target=add,args=(4,5))
t.start() print("====end===")
运行结果:
9
====end===
线程的传参和函数传参没有区别,只需要注意传入的必须为元祖格式。
线程退出:
如果线程中任务是无限循环语句,那这个线程将无法自动停止。
Python线程退出条件有以下几种:
1、线程内的函数语句执行完毕,线程自动结束
2、线程内的函数抛出未处理的异常
import threading
import time def worker(arg):
while True:
time.sleep(1)
print("I'm working {}".format(arg))
print("Fineshed") t = threading.Thread(target=worker,args=(threading.current_thread(),),name="firstworker")
t.start()
运行结果:
I'm working <_MainThread(MainThread, stopped 2468)>
I'm working <_MainThread(MainThread, stopped 2468)>
I'm working <_MainThread(MainThread, stopped 2468)>
...
上面例子中,线程启动后,将一直循环下去,线程不会自动退出。
import threading
import time def worker(arg):
count = 0
while True:
if count > 5:
raise RuntimeError(count)
time.sleep(1)
print("I'm working {}".format(arg))
count += 1
print("Fineshed") t = threading.Thread(target=worker,args=(threading.enumerate(),))
t.start() print("====end===") 运行结果:
====end===
I'm working [<_MainThread(MainThread, stopped 10992)>]
I'm working [<_MainThread(MainThread, stopped 10992)>]
I'm working [<_MainThread(MainThread, stopped 10992)>]
I'm working [<_MainThread(MainThread, stopped 10992)>]
I'm working [<_MainThread(MainThread, stopped 10992)>]
I'm working [<_MainThread(MainThread, stopped 10992)>]
Exception in thread Thread-1:
Traceback (most recent call last):
File "C:/python/test.py", line 8, in worker
raise RuntimeError(count)
RuntimeError: 6
上面例子中,演示了触发异常自动退出线程。但最先打印的是主程序的"===end==="语句,是因为在程序中,主线程启动一个线程后,不会等待子线程执行完毕,就继续执行了后续语句,在执行完主线程语句后,发现还有子线程没有结束,于是等待子线程执行结束,子线程在运行时抛出了未处理的异常,最终子线程结束,主线程也随之结束。这里需要了解daemon线程和non-daemon线程,稍后就会介绍。
threading属性:
threading.current_thread() 返回当前线程对象
threading.main_thread() 返回主线程对象
threading.active_count() 返回处于Active状态的线程个数
threading.enumerate() 返回所有存活的线程的列表,不包括已经终止的线程和未启动的线程
threading.get_ident() 返回当前线程的ID,非0整数
举例:
import threading
import time def showthreadinfo():
print("current thread = {}".format(threading.current_thread()))
print("main thread = {}".format(threading.main_thread()))
print("active thread count = {}".format(threading.active_count()))
print("active thread list = {}".format(threading.enumerate()))
print("thread id = {}".format(threading.get_ident()))
print("~~~~~~~~~~~~~") def add(x,y):
time.sleep(1)
showthreadinfo() #子线程中调用
print(x+y) showthreadinfo() #主线程中调用
time.sleep(1) t = threading.Thread(target=add,args=(4,5))
t.start() print("====end===") 运行结果:
current thread = <_MainThread(MainThread, started 192)>
main thread = <_MainThread(MainThread, started 192)>
active thread count = 1
active thread list = [<_MainThread(MainThread, started 192)>]
thread id = 192
~~~~~~~~~~~~~
====end===
current thread = <Thread(Thread-1, started 8424)>
main thread = <_MainThread(MainThread, stopped 192)>
active thread count = 2
active thread list = [<_MainThread(MainThread, stopped 192)>, <Thread(Thread-1, started 8424)>]
thread id = 8424
~~~~~~~~~~~~~
9
上面例子中,在主线程中只能看到存活的只有自己,因为子线程还没有启动,且它的父线程就是它自己。子线程启动时,它的名字为Thread-1,这个名字是解释器自动命名的,如果定义线程对象时添加了name="threadName",则这里显示的就是threadName;同时,子线程的父线程就是主线程,也就是说谁启动的线程谁就是它的父线程;子线程能看到的存活线程有父线程和自身。
Thread实例的属性:
threading.current_thread().name 线程名,只是一个标识符,可以使用getName()、setName()获取和运行时重命名。
threading.current_thread().ident 线程ID,非0整数。线程启动后才会有ID,否则为None。线程退出,此ID依旧可以访问。此ID可以重复使用
threading.current_thread().is_alive() 返回线程是否存活,布尔值,True或False。
举例:
import threading
import time def worker():
count = 1
while True:
if count >= 6:
break
time.sleep(1)
count += 1
print("thread name = {}".format(threading.current_thread().name)) t = threading.Thread(target=worker,name="MyThread")
t.start() while True:
time.sleep(1.1)
if t.is_alive():
print("{} {} alive".format(t.name,t.ident))
else:
print("{} {} alive".format(t.name, t.ident))
t.start() print("====end===") 运行结果:
thread name = MyThread
MyThread 9400 alive
thread name = MyThread
MyThread 9400 alive
thread name = MyThread
MyThread 9400 alive
thread name = MyThread
MyThread 9400 alive
thread name = MyThread
MyThread 9400 alive
Traceback (most recent call last):
File "C:/python/test.py", line 22, in <module>
t.start()
raise RuntimeError("threads can only be started once")
RuntimeError: threads can only be started once
从上面例子中可以看到子线程存活时的名字和线程ID,但在线程退出后,尝试再次启动线程时,抛出RuntimeError异常,表明线程对象在定义后只能启动一次。
举例 getName()和setName():
import threading
import time def add(x,y):
for _ in range(5):
time.sleep(1)
print("x+y={}".format(x+y)) t = threading.Thread(target=add,name="MyThread",args=(6,7))
t.start() while True:
time.sleep(1)
if t.is_alive():
print("{} {} alive".format(t.name,t.ident))
print("Thread name",t.getName())
t.setName("MyThreadTwo")
else:
print("{} {} alive".format(t.name, t.ident))
print("Thread abort....")
break
# t.start() print("====end===") 运行结果:
MyThread 2564 alive
Thread name MyThread
x+y=13
MyThreadTwo 2564 alive
Thread name MyThreadTwo
x+y=13
MyThreadTwo 2564 alive
Thread name MyThreadTwo
x+y=13
MyThreadTwo 2564 alive
Thread name MyThreadTwo
x+y=13
MyThreadTwo 2564 alive
Thread name MyThreadTwo
x+y=13
MyThreadTwo 2564 alive
Thread abort....
====end===
上面例子演示了在运行时获取线程名和重命名线程名。
线程的start()和run()方法:
start():
import threading
import time def add(x,y):
for _ in range(5):
time.sleep(0.5)
print("x+y={}".format(x+y)) class MyThread(threading.Thread):
def start(self):
print('start~~~~~~~~~~')
super().start() def run(self):
print('run~~~~~~~~~~~~')
super().run() #调用父类的start()和run()方法 t = MyThread(target=add,name="MyThread",args=(6,7))
t.start()
# t.run()
print("====end===") 运行结果:
start~~~~~~~~~~
run~~~~~~~~~~~~
====end===
x+y=13
x+y=13
x+y=13
x+y=13
x+y=13
从上面的例子中,可以看出start()方法会先运行start()方法,再运行run()方法。
跟进一下start() 方法源码中的调用过程:
1、def start(self):
_start_new_thread(self._bootstrap, ())
.... 2、_start_new_thread = _thread.start_new_thread 3、def start_new_thread(function, args, kwargs=None):
pass 4、def _bootstrap(self):
self._bootstrap_inner() 5、def _bootstrap_inner(self):
....
try:
self.run()#最终start()方法调用了run()方法
except SystemExit:
pass
从上面跟踪源码的过程大概了解了start()方法如何调用到了run()方法。
run()方法:
import threading
import time def add(x,y):
for _ in range(5):
time.sleep(0.5)
print("x+y={}".format(x+y)) class MyThread(threading.Thread):
def start(self):
print('start~~~~~~~~~~')
super().start() def run(self):
print('run~~~~~~~~~~~~')
super().run() #调用父类的start()和run()方法 t = MyThread(target=add,name="MyThread",args=(6,7))
# t.start()
t.run()
print("====end===") 运行结果:
run~~~~~~~~~~~~
x+y=13
x+y=13
x+y=13
x+y=13
x+y=13
====end===
上面例子中,运行线程的run()方法只能调用到run()方法。
跟踪一下run() 方法在源码中的调用过程:
1、def __init__(self, group=None, target=None, name=None,
args=(), kwargs=None, *, daemon=None):
self._target = target
self._args = args
self._kwargs = kwargs
.... 2、def run(self):
if self._target:
self._target(*self._args, **self._kwargs)
....
可以看出,_target是我们传入的目标函数,run()方法其实就类似一个装饰器,最终还是将_args 和_kwargs 参数传入目标函数运行,返回结果。
start() --> run() --> _target()
run() --> _target()
上面两个例子简单介绍了start()方法和run()方法的调用,下一篇文章再详细看一下它们到底有什么区别。
总结:
本文主要介绍了: Thread类、线程启动、线程的传参、线程退出、threading属性、Thread实例的属性、举例getName()和setName()、线程的start()和run()方法
Python 多线程 使用线程 (二)的更多相关文章
- Python 多线程和线程池
一,前言 进程:是程序,资源集合,进程控制块组成,是最小的资源单位 特点:就对Python而言,可以实现真正的并行效果 缺点:进程切换很容易消耗cpu资源,进程之间的通信相对线程来说比较麻烦 线程:是 ...
- python多线程与线程
进程与线程的概念 进程 考虑一个场景:浏览器,网易云音乐以及notepad++ 三个软件只能顺序执行是怎样一种场景呢?另外,假如有两个程序A和B,程序A在执行到一半的过程中,需要读取大量的数据输入(I ...
- python多线程、线程锁
1.python多线程 多线程可以把空闲时间利用起来 比如有两个进程函数 func1.func2,func1函数里使用sleep休眠一定时间,如果使用单线程调用这两个函数,那么会顺序执行这两个函数 也 ...
- Python多线程、线程池及实际运用
我们在写python爬虫的过程中,对于大量数据的抓取总是希望能获得更高的速度和效率,但由于网络请求的延迟.IO的限制,单线程的运行总是不能让人满意.因此有了多线程.异步协程等技术. 下面介绍一下pyt ...
- Python多线程之线程创建和终止
python主要是通过thread和threading这两个模块来实现多线程支持. python的thread模块是比較底层的模块,python的threading模块是对thread做了一些封装,能 ...
- python爬虫14 | 就这么说吧,如果你不懂python多线程和线程池,那就去河边摸鱼!
你知道吗? 在我的心里 你是多么的重要 就像 恩 请允许我来一段 freestyle 你们准备好了妹油 你看 这个碗 它又大又圆 就像 这条面 它又长又宽 你们 在这里 看文章 觉得 很开心 就像 我 ...
- python基础(34):线程(二)
1. python线程 1.1 全局解释器锁GIL Python代码的执行由Python虚拟机(也叫解释器主循环)来控制.Python在设计之初就考虑到要在主循环中,同时只有一个线程在执行.虽然 Py ...
- python 多线程网络编程 ( 二 )
背景 我在[第一篇文章中]已经介绍了如何实现一个多线程的todo应用,接下来我将会研究如何使这个服务器完成下面这几个功能. 1.使用正则表达式解析用户发送的请求数据: 2.使用ThreadLocal技 ...
- python 多线程中子线程和主线程相互通信
主线程开启多个线程去干活,每个线程需要完成的时间不同,干完活以后都要通知给主线程,下面代码说明该应用: 代码块: import threading import queue import time i ...
随机推荐
- java使用lock实现一个简单的生产者和消费者模式
import java.util.concurrent.locks.Condition; import java.util.concurrent.locks.ReentrantLock; public ...
- Python Django ORM基本增删改查
工程下的urls.py中增加如下: from cmdb import views as cmdb #要把你要操作的项目import进来 urlpatterns = [ url(r'orm', cmdb ...
- Java与C++区别:重载(Overloading)
Java中一个类的函数重载可以在本类中的函数和来自父类中的函数之间进行,而C++类中的函数重载只能是本类中的(即不包括来自父类的函数),这是他们一个非常重要的区别.在其他方面的要求都是一致的,即要求函 ...
- LeetCode GrayCode
class Solution { public: vector<int> grayCode(int n) { vector<int> res; res.push_back(); ...
- js-js的运算
** js里面不区分整数和小数 var j = 123; alert(j/1000*1000); //在Java里面结果是0 //在js里面不区分整数和小数 123/1000 = 0.123 *100 ...
- js实现toFixed截取效果
Number.prototype.toFixed = function(fractionDigits) { ; || f > ) { throw new RangeError("Pre ...
- Google APAC----Africa 2010, Qualification Round(Problem C. T9 Spelling)----Perl 解法
原题地址链接:https://code.google.com/codejam/contest/351101/dashboard#s=p2 问题描述: Problem The Latin alphabe ...
- 基于Vue的WebApp项目开发(五)
实现图片分享列表 步骤一:新增图片列表文件photolist.vue <template> <div id="tml"> 图片分享页面 </div&g ...
- SpringBoot访问html访问不了的问题
springboot默认是不支持jsp的 注意pom.xml是否添加了thymeleaf的依赖 <dependency> <groupId>org.springframewor ...
- Python 词频统计
利用Python做一个词频统计 GitHub地址:FightingBob [Give me a star , thanks.] 词频统计 对纯英语的文本文件[Eg: 瓦尔登湖(英文版).txt]的英文 ...