捕获 asyncio.ensure_future 中的错误
Catch errors in asyncio.ensure_future
我有这个代码:
try:
asyncio.ensure_future(data_streamer.sendByLatest())
except ValueError as e:
logging.debug(repr(e))
data_streamer.sendByLatest()
可以养一个ValueError
,但是没有被抓到
ensure_future
- 立即创建 Task
和 return。您应该等待创建的任务以获取结果(包括引发异常的情况):
import asyncio
async def test():
await asyncio.sleep(0)
raise ValueError('123')
async def main():
try:
task = asyncio.ensure_future(test()) # Task aren't finished here yet
await task # Here we await for task finished and here exception would be raised
except ValueError as e:
print(repr(e))
if __name__ == '__main__':
loop = asyncio.get_event_loop()
loop.run_until_complete(main())
输出:
ValueError('123',)
如果您不打算在创建任务后立即等待它,您可以稍后等待它(以了解它是如何完成的):
async def main():
task = asyncio.ensure_future(test())
await asyncio.sleep(1)
# At this moment task finished with exception,
# but we didn't retrieved it's exception.
# We can do it just awaiting task:
try:
await task
except ValueError as e:
print(repr(e))
输出相同:
ValueError('123',)
我有这个代码:
try:
asyncio.ensure_future(data_streamer.sendByLatest())
except ValueError as e:
logging.debug(repr(e))
data_streamer.sendByLatest()
可以养一个ValueError
,但是没有被抓到
ensure_future
- 立即创建 Task
和 return。您应该等待创建的任务以获取结果(包括引发异常的情况):
import asyncio
async def test():
await asyncio.sleep(0)
raise ValueError('123')
async def main():
try:
task = asyncio.ensure_future(test()) # Task aren't finished here yet
await task # Here we await for task finished and here exception would be raised
except ValueError as e:
print(repr(e))
if __name__ == '__main__':
loop = asyncio.get_event_loop()
loop.run_until_complete(main())
输出:
ValueError('123',)
如果您不打算在创建任务后立即等待它,您可以稍后等待它(以了解它是如何完成的):
async def main():
task = asyncio.ensure_future(test())
await asyncio.sleep(1)
# At this moment task finished with exception,
# but we didn't retrieved it's exception.
# We can do it just awaiting task:
try:
await task
except ValueError as e:
print(repr(e))
输出相同:
ValueError('123',)