3 回答
data:image/s3,"s3://crabby-images/688f5/688f5ec7e4de840ba565508889100416906c8254" alt="?"
TA贡献1886条经验 获得超2个赞
您不需要使用子类Thread来完成这项工作 - 看看我在下面发布的简单示例,看看如何:
from threading import Thread
from time import sleep
def threaded_function(arg):
for i in range(arg):
print("running")
sleep(1)
if __name__ == "__main__":
thread = Thread(target = threaded_function, args = (10, ))
thread.start()
thread.join()
print("thread finished...exiting")
这里我展示了如何使用线程模块创建一个调用普通函数作为其目标的线程。你可以看到我如何在线程构造函数中传递我需要的任何参数。
data:image/s3,"s3://crabby-images/5bf9b/5bf9b480999836b8e68a8c319ce447b09b25f152" alt="?"
TA贡献1797条经验 获得超6个赞
您的代码存在一些问题:
def MyThread ( threading.thread ):
你不能用函数子类化; 只有一堂课
如果您打算使用子类,则需要threading.Thread,而不是threading.thread
如果你真的只想用函数做这个,你有两个选择:
使用线程:
import threading
def MyThread1():
pass
def MyThread2():
pass
t1 = threading.Thread(target=MyThread1, args=[])
t2 = threading.Thread(target=MyThread2, args=[])
t1.start()
t2.start()
有线程:
import thread
def MyThread1():
pass
def MyThread2():
pass
thread.start_new_thread(MyThread1, ())
thread.start_new_thread(MyThread2, ())
doc for thread.start_new_thread
data:image/s3,"s3://crabby-images/39ce9/39ce97f3c0b6ad9874fc4158800951191ffbe3dd" alt="?"
TA贡献2036条经验 获得超8个赞
我试图添加另一个join(),它似乎工作。这是代码
from threading import Thread
from time import sleep
def function01(arg,name):
for i in range(arg):
print(name,'i---->',i,'\n')
print (name,"arg---->",arg,'\n')
sleep(1)
def test01():
thread1 = Thread(target = function01, args = (10,'thread1', ))
thread1.start()
thread2 = Thread(target = function01, args = (10,'thread2', ))
thread2.start()
thread1.join()
thread2.join()
print ("thread finished...exiting")
test01()
添加回答
举报