本文实例讲述了Python编程中event对象的用法。分享给大家供大家参考,具体如下:
Python提供了Event对象用于线程间通信,它是由线程设置的信号标志,如果信号标志位为假,则线程等待直到信号被其他线程设置成真。这一点似乎和windows的event正好相反。 Event对象实现了简单的线程通信机制,它提供了设置信号,清除信号,等待等用于实现线程间的通信。
1.设置信号
使用Event的set()方法可以设置Event对象内部的信号标志为真。Event对象提供了isSet()方法来判断其内部信号标志的状态,当使用event对象的set()方法后,isSet()方法返回真.
2.清除信号
使用Event对象的clear()方法可以清除Event对象内部的信号标志,即将其设为假,当使用Event的clear方法后,isSet()方法返回假
3.等待
Event对象wait的方法只有在内部信号为真的时候才会很快的执行并完成返回。当Event对象的内部信号标志位假时,则wait方法一直等待到其为真时才返回。
可以使用Event让工作线程优雅地退出,示例代码如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
|
# make thread exit nicely class MyThread9(threading.Thread): def __init__( self ): threading.Thread.__init__( self ) def run( self ): global event while True : if event.isSet(): logging.warning( self .getName() + " is Running" ) time.sleep( 2 ) else : logging.warning( self .getName() + " stopped" ) break ; event = threading.Event() event. set () def Test9(): t1 = [] for i in range ( 6 ): t1.append(MyThread9()) for i in t1: i.start() time.sleep( 10 ) q = raw_input ( "Please input exit:" ) if q = = "q" : event.clear() if __name__ = = '__main__' : Test9() |
希望本文所述对大家Python程序设计有所帮助。