我在asyncio事件循环中设置异常处理程序。但是,在事件循环线程停止之前似乎没有调用它。例如,请考虑以下代码:
def exception_handler(loop, context):
print('Exception handler called')
loop = asyncio.get_event_loop()
loop.set_exception_handler(exception_handler)
thread = Thread(target=loop.run_forever)
thread.start()
async def run():
raise RuntimeError()
asyncio.run_coroutine_threadsafe(run(), loop)
loop.call_soon_threadsafe(loop.stop, loop)
thread.join()
这段代码打印出“正在处理的异常处理程序”,正如我们所料。但是,如果我删除关闭事件循环(loop.call_soon_threadsafe(loop.stop, loop)
)的行,它将不再打印任何内容。
我对此有几个问题:
我在这里做错了吗?
有谁知道这是否是asyncio异常处理程序的预期行为?我找不到任何记录这个的东西,对我来说似乎有点奇怪。
我非常希望有一个长时间运行的事件循环来记录其协同程序中发生的错误,所以当前的行为对我来说似乎有问题。
答案 0 :(得分:3)
上面的代码中存在一些问题:
stop()
不需要参数stop()
之前调用它)。这是固定代码(没有异常和异常处理程序):
import asyncio
from threading import Thread
async def coro():
print("in coro")
return 42
loop = asyncio.get_event_loop()
thread = Thread(target=loop.run_forever)
thread.start()
fut = asyncio.run_coroutine_threadsafe(coro(), loop)
print(fut.result())
loop.call_soon_threadsafe(loop.stop)
thread.join()
call_soon_threadsafe()
返回一个保存异常的未来对象(它没有到达默认的异常处理程序):
import asyncio
from pprint import pprint
from threading import Thread
def exception_handler(loop, context):
print('Exception handler called')
pprint(context)
loop = asyncio.get_event_loop()
loop.set_exception_handler(exception_handler)
thread = Thread(target=loop.run_forever)
thread.start()
async def coro():
print("coro")
raise RuntimeError("BOOM!")
fut = asyncio.run_coroutine_threadsafe(coro(), loop)
try:
print("success:", fut.result())
except:
print("exception:", fut.exception())
loop.call_soon_threadsafe(loop.stop)
thread.join()
但是,使用create_task()
或ensure_future()
调用的协同程序将调用exception_handler:
async def coro2():
print("coro2")
raise RuntimeError("BOOM2!")
async def coro():
loop.create_task(coro2())
print("coro")
raise RuntimeError("BOOM!")
您可以使用它来创建一个小包装器:
async def boom(x):
print("boom", x)
raise RuntimeError("BOOM!")
async def call_later(coro, *args, **kwargs):
loop.create_task(coro(*args, **kwargs))
return "ok"
fut = asyncio.run_coroutine_threadsafe(call_later(boom, 7), loop)
但是,您应该考虑使用Queue来与您的线程进行通信。