我必须在网络课程中写一个程序,有点像选择性重复,但需要一个计时器。在谷歌上搜索后,我发现threading.Timer可以帮助我,我写了一个简单的程序来测试threading.Timer是如何工作的,就是这样:
import threading
def hello():
print "hello, world"
t = threading.Timer(10.0, hello)
t.start()
print "Hi"
i=10
i=i+20
print i此程序运行正常。但是当我试图以如下方式定义hello函数时,参数如下:
import threading
def hello(s):
print s
h="hello world"
t = threading.Timer(10.0, hello(h))
t.start()
print "Hi"
i=10
i=i+20
print i输出结果是:
hello world
Hi
30
Exception in thread Thread-1:
Traceback (most recent call last):
File "/System/Library/Frameworks/Python.framework/Versions/2.6/lib/python2.6/threading.py", line 522, in __bootstrap_inner
self.run()
File "/System/Library/Frameworks/Python.framework/Versions/2.6/lib/python2.6/threading.py", line 726, in run
self.function(*self.args, **self.kwargs)
TypeError: 'NoneType' object is not callable我不明白问题出在哪里!有人能帮我吗?
发布于 2013-05-16 11:50:59
您只需将hello的参数放入函数调用中的单独项中,如下所示:
t = threading.Timer(10.0, hello, [h])这是Python中的一种常见方法。否则,当您使用Timer(10.0, hello(h))时,此函数调用的结果将传递给Timer,它是None,因为hello不会显式返回。
发布于 2020-10-26 15:46:28
如果您想使用普通函数参数,另一种方法是使用lambda。基本上,它告诉程序参数是一个函数,不能在赋值时调用。
t = threading.Timer(10.0, lambda: hello(h))https://stackoverflow.com/questions/16578652
复制相似问题