時々、発生する必要のある重要ではない非同期操作がありますが、それが完了するのを待ちたくありません。 Tornadoのコルーチン実装では、yield
キーワードを省略するだけで、非同期関数を「起動して忘れる」ことができます。
私は、Python 3.5でリリースされた新しいasync
/await
構文を使用して、「発火して忘れる」方法を見つけようとしてきました。たとえば、簡略化されたコードスニペット:
async def async_foo():
print("Do some stuff asynchronously here...")
def bar():
async_foo() # fire and forget "async_foo()"
bar()
ただし、bar()
は実行されず、代わりにランタイム警告が表示されます。
RuntimeWarning: coroutine 'async_foo' was never awaited
async_foo() # fire and forget "async_foo()"
Upd:
Python> = 3.7を使用している場合は、どこでもasyncio.ensure_future
をasyncio.create_task
に置き換えてください。3.7より新しい、より良い方法 タスクを生成する 。
asyncio.Task
のpythonドキュメントによれば、execute inバックグラウンドでコルーチンを開始することが可能です。 asyncio.ensure_future
function によって作成されたタスクは、実行をブロックしません(したがって、関数はすぐに戻ります!)。これは、要求したとおりに「発火して忘れる」方法のように見えます。
import asyncio
async def async_foo():
print("async_foo started")
await asyncio.sleep(1)
print("async_foo done")
async def main():
asyncio.ensure_future(async_foo()) # fire and forget async_foo()
# btw, you can also create tasks inside non-async funcs
print('Do some actions 1')
await asyncio.sleep(1)
print('Do some actions 2')
await asyncio.sleep(1)
print('Do some actions 3')
if __== '__main__':
loop = asyncio.get_event_loop()
loop.run_until_complete(main())
出力:
Do some actions 1
async_foo started
Do some actions 2
async_foo done
Do some actions 3
Asyncioは、イベントループが完了した瞬間にタスクが完了することを期待していることに注意してください。したがって、main()
を次のように変更する場合:
async def main():
asyncio.ensure_future(async_foo()) # fire and forget
print('Do some actions 1')
await asyncio.sleep(0.1)
print('Do some actions 2')
プログラムが終了すると、この警告が表示されます。
Task was destroyed but it is pending!
task: <Task pending coro=<async_foo() running at [...]
それを防ぐには、イベントループの完了後に 保留中のすべてのタスクを待機する するだけです。
async def main():
asyncio.ensure_future(async_foo()) # fire and forget
print('Do some actions 1')
await asyncio.sleep(0.1)
print('Do some actions 2')
if __== '__main__':
loop = asyncio.get_event_loop()
loop.run_until_complete(main())
# Let's also finish all running tasks:
pending = asyncio.Task.all_tasks()
loop.run_until_complete(asyncio.gather(*pending))
タスクが完了するのを待ちたくない場合があります(たとえば、永久に実行するためにいくつかのタスクが作成される場合があります)。その場合、それらを待つのではなく、単にcancel()することができます:
import asyncio
from contextlib import suppress
async def echo_forever():
while True:
print("echo")
await asyncio.sleep(1)
async def main():
asyncio.ensure_future(echo_forever()) # fire and forget
print('Do some actions 1')
await asyncio.sleep(1)
print('Do some actions 2')
await asyncio.sleep(1)
print('Do some actions 3')
if __== '__main__':
loop = asyncio.get_event_loop()
loop.run_until_complete(main())
# Let's also cancel all running tasks:
pending = asyncio.Task.all_tasks()
for task in pending:
task.cancel()
# Now we should await task to execute it's cancellation.
# Cancelled task raises asyncio.CancelledError that we can suppress:
with suppress(asyncio.CancelledError):
loop.run_until_complete(task)
出力:
Do some actions 1
echo
Do some actions 2
echo
Do some actions 3
echo
これは完全に非同期の実行ではありませんが、多分 run_in_executor() が適しています。
def fire_and_forget(task, *args, **kwargs):
loop = asyncio.get_event_loop()
if callable(task):
return loop.run_in_executor(None, task, *args, **kwargs)
else:
raise TypeError('Task must be a callable')
def foo():
#asynchronous stuff here
fire_and_forget(foo)
簡潔な答えをしてくれたセルゲイに感謝します。こちらが同じものの装飾バージョンです。
import asyncio
import time
def fire_and_forget(f):
def wrapped(*args, **kwargs):
return asyncio.get_event_loop().run_in_executor(None, f, *args, *kwargs)
return wrapped
@fire_and_forget
def foo():
time.sleep(1)
print("foo() completed")
print("Hello")
foo()
print("I didn't wait for foo()")
生産する
>>> Hello
>>> foo() started
>>> I didn't wait for foo()
>>> foo() completed