我正在尝试创建一个计时器工作线程,它可以随时退出。 python有一个内置计时器,其回调函数只被调用ONCE ?! 我不知道它为何被称为计时器。
然后我必须在工作线程中睡一觉,这是一个坏主意。 timerThread.cancel()无法关闭工作线程。如果我使用event退出工作线程,工作线程只能在唤醒后退出。
我期待一个计时器工作线程,它可以随时退出。而且我不希望工作线程被阻止。
有没有办法实现它?
def Show():
while 1:
time.sleep(10)
print("Nice!")
if __name__ == '__main__':
timerThread = threading.Timer(1,Show)
timerThread.start()
while 1:
input = str(sys.stdin.readline())
if input == 'EXIT\n':
timerThread.cancel()
break;
答案 0 :(得分:0)
到目前为止,python中的Timer对象[1]只运行一次,并在一段时间后执行一个函数。但是,该函数可以启动一个新的Timer对象。下面是这种实现的一个例子。
timerThread = None
def timesUp():
global timerThread
print('Nice!')
timerThread = Timer(10, timesUp)
timerThread.start()
def main():
global timerThread
timerThread = Timer(10, timesUp)
timerThread.start()
while 1:
input = str(sys.stdin.readline())
if input == 'EXIT\n':
timerThread.cancel()
break;
总的来说,由于python中的GIL [2]问题,你会遇到正确的线程问题,因为一次只有1个线程可以访问解释器。这就是为什么python中的很多框架都是单线程的异步框架(例如gevent [3],tornado [4])。他们不是使用线程,而是在IOLoop上监听(eventlets,epoll),并合作地将操作流程输出到其他等待协程。
[1] - https://docs.python.org/2/library/threading.html#timer-objects
[2] - https://wiki.python.org/moin/GlobalInterpreterLock
[3] - http://www.gevent.org/
答案 1 :(得分:0)
您可以使用此课程来解决您的问题。
import time
from threading import Thread
class Timer(Thread):
def __init__(self, seconds, callback, *args, **kwargs):
Thread.__init__(self)
assert callable(callback)
self.__callback = callback
self.__seconds = seconds
self.__args = args
self.__kwargs = kwargs
self.running = False
def run(self):
self.running = True
while self.running:
Thread(target=self.__callback, args=self.__args, kwargs=self.__kwargs).start()
time.sleep(self.__seconds)
def stop(self):
self.running = False
要调用此功能,请使用
def Test(spam,eggs=10):
print spam, eggs
timerFunction = Timer(1,Test,10,eggs=99) # The number 1 is the time in seconds
timerFunction.start()
停止执行使用:
timerFunction.stop()