blob: 9a5e9a48479ef78e7d8c7a8706d56603f234f2ba [file] [log] [blame]
Yury Selivanov02a0a192017-12-14 09:42:21 -05001__all__ = 'run',
2
3from . import coroutines
4from . import events
Yury Selivanova4afcdf2018-01-21 14:56:59 -05005from . import tasks
Yury Selivanov02a0a192017-12-14 09:42:21 -05006
7
Shantanu0770ad92020-09-02 21:54:46 -07008def run(main, *, debug=None):
Kyle Stanleye4070132019-09-30 20:12:21 -04009 """Execute the coroutine and return the result.
Yury Selivanov02a0a192017-12-14 09:42:21 -050010
11 This function runs the passed coroutine, taking care of
12 managing the asyncio event loop and finalizing asynchronous
13 generators.
14
15 This function cannot be called when another asyncio event loop is
16 running in the same thread.
17
18 If debug is True, the event loop will be run in debug mode.
19
20 This function always creates a new event loop and closes it at the end.
21 It should be used as a main entry point for asyncio programs, and should
22 ideally only be called once.
23
24 Example:
25
26 async def main():
27 await asyncio.sleep(1)
28 print('hello')
29
30 asyncio.run(main())
31 """
32 if events._get_running_loop() is not None:
33 raise RuntimeError(
34 "asyncio.run() cannot be called from a running event loop")
35
36 if not coroutines.iscoroutine(main):
37 raise ValueError("a coroutine was expected, got {!r}".format(main))
38
39 loop = events.new_event_loop()
40 try:
41 events.set_event_loop(loop)
Shantanu0770ad92020-09-02 21:54:46 -070042 if debug is not None:
43 loop.set_debug(debug)
Yury Selivanov02a0a192017-12-14 09:42:21 -050044 return loop.run_until_complete(main)
45 finally:
46 try:
Yury Selivanova4afcdf2018-01-21 14:56:59 -050047 _cancel_all_tasks(loop)
Yury Selivanov02a0a192017-12-14 09:42:21 -050048 loop.run_until_complete(loop.shutdown_asyncgens())
Kyle Stanley9fdc64c2019-09-19 08:47:22 -040049 loop.run_until_complete(loop.shutdown_default_executor())
Yury Selivanov02a0a192017-12-14 09:42:21 -050050 finally:
51 events.set_event_loop(None)
52 loop.close()
Yury Selivanova4afcdf2018-01-21 14:56:59 -050053
54
55def _cancel_all_tasks(loop):
Yury Selivanov416c1eb2018-05-28 17:54:02 -040056 to_cancel = tasks.all_tasks(loop)
Yury Selivanova4afcdf2018-01-21 14:56:59 -050057 if not to_cancel:
58 return
59
60 for task in to_cancel:
61 task.cancel()
62
Yurii Karabase4fe3032020-11-28 10:21:17 +020063 loop.run_until_complete(tasks.gather(*to_cancel, return_exceptions=True))
Yury Selivanova4afcdf2018-01-21 14:56:59 -050064
65 for task in to_cancel:
66 if task.cancelled():
67 continue
68 if task.exception() is not None:
69 loop.call_exception_handler({
70 'message': 'unhandled exception during asyncio.run() shutdown',
71 'exception': task.exception(),
72 'task': task,
73 })