Python - 带有异步/协程的计时器
Posted
技术标签:
【中文标题】Python - 带有异步/协程的计时器【英文标题】:Python - Timer with asyncio/coroutine 【发布时间】:2018-01-07 06:03:15 【问题描述】:我正在尝试设置一个计时器,该计时器将中断正在运行的进程并在它触发时调用协程。但是,我不确定完成此操作的正确方法是什么。我找到了 AbstractEventLoop.call_later 和 threading.Timer,但这些似乎都不起作用(或者我使用不正确)。代码非常基本,看起来像这样:
def set_timer( time ):
self.timer = Timer( 10.0, timeout )
self.timer.start()
#v2
#self.timer = get_event_loop()
#self.timer.call_later( 10.0, timeout )
return
async def timeout():
await some_func()
return
设置非阻塞计时器的正确方法是什么,它将在几秒后调用回调函数?能够取消计时器将是一个奖励,但不是必需的。我需要的主要事情是:非阻塞并成功调用协程。现在它返回一个错误,该对象不能被等待(如果我扔了一个等待)或者 some_func 从来没有等待过,并且预期的输出永远不会发生。
【问题讨论】:
【参考方案1】:使用ensure_future 创建Task 是在不阻塞执行流程的情况下开始执行某些作业的常用方法。你也可以canceltasks。
我为您编写了示例实现以供您开始:
import asyncio
class Timer:
def __init__(self, timeout, callback):
self._timeout = timeout
self._callback = callback
self._task = asyncio.ensure_future(self._job())
async def _job(self):
await asyncio.sleep(self._timeout)
await self._callback()
def cancel(self):
self._task.cancel()
async def timeout_callback():
await asyncio.sleep(0.1)
print('echo!')
async def main():
print('\nfirst example:')
timer = Timer(2, timeout_callback) # set timer for two seconds
await asyncio.sleep(2.5) # wait to see timer works
print('\nsecond example:')
timer = Timer(2, timeout_callback) # set timer for two seconds
await asyncio.sleep(1)
timer.cancel() # cancel it
await asyncio.sleep(1.5) # and wait to see it won't call callback
loop = asyncio.new_event_loop()
asyncio.set_event_loop(loop)
try:
loop.run_until_complete(main())
finally:
loop.run_until_complete(loop.shutdown_asyncgens())
loop.close()
输出:
first example:
echo!
second example:
【讨论】:
我建议使用asyncio.create_task
而不是asyncio.ensure_future
docs.python.org/3/library/asyncio-task.html#asyncio.create_task
这个例子和(除了取消)await asyncio.sleep(1) await timeout_callback() 有什么区别?
@dowi 与await
不同,创建任务允许“在后台”运行某些作业。如果你做timer = Timer(1, timeout_callback); await some()
,那么“some”将立即启动,并可能在“timeout_callback”之前完成。如果你做await asyncio.sleep(1); await timeout_callback(); await some()
,那么“some”总是会在“timeout_callback”之后开始和结束。请参阅此答案以获取更多信息:***.com/a/37345564/1113207【参考方案2】:
感谢 Mikhail Gerasimov 的回答,它非常有用。这是对米哈伊尔回答的延伸。这是一个带有一些曲折的间隔计时器。也许它对某些用户有用。
import asyncio
class Timer:
def __init__(self, interval, first_immediately, timer_name, context, callback):
self._interval = interval
self._first_immediately = first_immediately
self._name = timer_name
self._context = context
self._callback = callback
self._is_first_call = True
self._ok = True
self._task = asyncio.ensure_future(self._job())
print(timer_name + " init done")
async def _job(self):
try:
while self._ok:
if not self._is_first_call or not self._first_immediately:
await asyncio.sleep(self._interval)
await self._callback(self._name, self._context, self)
self._is_first_call = False
except Exception as ex:
print(ex)
def cancel(self):
self._ok = False
self._task.cancel()
async def some_callback(timer_name, context, timer):
context['count'] += 1
print('callback: ' + timer_name + ", count: " + str(context['count']))
if timer_name == 'Timer 2' and context['count'] == 3:
timer.cancel()
print(timer_name + ": goodbye and thanks for all the fish")
timer1 = Timer(interval=1, first_immediately=True, timer_name="Timer 1", context='count': 0, callback=some_callback)
timer2 = Timer(interval=5, first_immediately=False, timer_name="Timer 2", context='count': 0, callback=some_callback)
try:
loop = asyncio.get_event_loop()
loop.run_forever()
except KeyboardInterrupt:
timer1.cancel()
timer2.cancel()
print("clean up done")
【讨论】:
在事件循环中使用 long-while 循环会降低请求(异步执行)的可接受性。 Exhibit ***.com/a/23719894/1670099 这是一个基于定时调度请求的实现。 gist.github.com/akaIDIOT/48c2474bd606cd2422ca @rohitpal,你错了。 Timer 在它自己的异步任务中运行,任何其他任务将继续运行。大多数情况下,计时器将在“asyncio.sleep()”中休眠,从而允许其他任务运行。计时器回调是异步的。没有您建议的阻塞!【参考方案3】:Mikhail 提出的解决方案有一个缺点。调用cancel()
会同时取消:计时器和实际回调(如果cancel()
在超时后触发,但实际工作仍在进行中)。取消作业本身可能不是我们想要的行为。
另一种方法是使用loop.call_later
:
async def some_job():
print('Job started')
await asyncio.sleep(5)
print('Job is done')
loop = asyncio.get_event_loop() # or asyncio.get_running_loop()
timeout = 5
timer = loop.call_later(timeout, lambda: asyncio.ensure_future(some_job()))
timer.cancel() # cancels the timer, but not the job, if it's already started
【讨论】:
以上是关于Python - 带有异步/协程的计时器的主要内容,如果未能解决你的问题,请参考以下文章