Python线程编程的两种方式

Python中如果要使用线程的话,python的lib中提供了两种方式。一种是函数式,一种是用类来包装的线程对象。举两个简单的例子希望起到抛砖引
玉的作用,关于多线程编程的其他知识例如互斥、信号量、临界区等请参考python的文档及相关资料。
1、调用[color="#ffa500"]thread模块中的[color="#ffa500"]start_new_thread()函数来产生新的线程,请看代码:
[color="#a52a2a"]###        thread_example.py
[color="#ffa500"]import time
import thread
def timer(no,interval):                       #自己写的线程函数
[color="#000000"]        while True:
[color="#000000"]                print 'Thread :(%d) Time:%s'%(no,time.ctime())
[color="#000000"]                time.sleep(interval)
def test():
[color="#000000"]        thread.start_new_thread(timer,(1,1))  [color="#a52a2a"]#使用thread.start_new_thread()来产生2个新的线程
[color="#000000"]        thread.start_new_thread(timer,(2,3))
if __name__=='__main__':
[color="#000000"]        test()
这个是
[color="#ffa500"]thread.start_new_thread(function,args[,kwargs])
函数原型,其中[color="#ffa500"]function参数是你将要调用的线程函数;[color="#ffa500"]args是讲传递给你的线程函数的参数,他[color="#ff0000"]必须是个[color="#ffa500"]tuple类型;而[color="#ffa500"]kwargs是可选的参数。
线程的结束一般依靠线程函数的自然结束;也可以在线程函数中调用[color="#ffa500"]thread.exit(),他抛出[color="#ffa500"]SystemExit exception,达到退出线程的目的。
2、通过调用[color="#ffa500"]threading模块继承[color="#ffa500"]threading.Thread类来包装一个线程对象。请看代码
[color="#a52a2a"]### threading_example.py
[color="#ffa500"]import threading
import time
class timer(threading.Thread):             #我的timer类继承自threading.Thread类
[color="#000000"]        def __init__(self,no,interval):
[color="#000000"]                threading.Thread.__init__(self)      [color="#a52a2a"]#在我重写__init__方法的时候要记得调用基类的__init__方法
[color="#000000"]                self.no=no
[color="#000000"]                self.interval=interval
[color="#000000"]        def run(self):                     [color="#a52a2a"]#重写run()方法,把自己的线程函数的代码放到这里
[color="#000000"]                while True:
[color="#000000"]                        print 'Thread Object (%d), Time:%s'%(self.no,time.ctime())
[color="#000000"]                        time.sleep(self.interval)
def test():
[color="#000000"]        threadone=timer(1,1)               [color="#a52a2a"]#产生2个线程对象
[color="#000000"]        threadtwo=timer(2,3)
[color="#000000"]        threadone.start()                  [color="#a52a2a"]#通过调用线程对象的.start()方法来激活线程
[color="#000000"]        threadtwo.start()
if __name__=='__main__':
[color="#000000"]        test()
其实thread和threading的模块中还包含了其他的很多关于多线程编程的东西,例如锁、定时器、获得激活线程列表等等,请大家仔细参考python的文档!
Trackback: http://tb.blog.csdn.net/TrackBack.aspx?PostId=107470