I have a code like that :
JavaScript
x
43
43
1
import asyncio
2
import time
3
4
5
# long blocking synchronous calls
6
def long_blocking_sync_calls():
7
print('task 2 (thread) : sleeping for a long time')
8
time.sleep(1000)
9
print('task 2 (thread) : terminate')
10
11
12
# task2, that execute blocking_sync_calls in separate thread
13
async def task2():
14
print('task 2 : running a long blocking call, in a separate thread')
15
loop = asyncio.get_event_loop()
16
await loop.run_in_executor(None, long_blocking_sync_calls)
17
18
19
# task1
20
async def task1(task_2):
21
print('task 1 : waiting')
22
await asyncio.sleep(2)
23
print('task 1 : cancelling task 2 ..')
24
print(str(task_2.cancel()))
25
print('task 1 : task 2 cancelled.')
26
27
28
# create tasks and gather
29
async def run():
30
print('creating tasks..')
31
task_2 = asyncio.create_task(task2())
32
task_1 = asyncio.create_task(task1(task_2))
33
print('tasks created. now gather..')
34
await asyncio.gather(
35
task_1,
36
task_2,
37
)
38
print('program end')
39
40
41
if __name__ == '__main__':
42
asyncio.run(run())
43
The output is as follow :
JavaScript
1
10
10
1
creating tasks..
2
tasks created. now gather..
3
task 2 : running a long blocking call, in a separate thread
4
task 2 (thread) : sleeping for a long time
5
task 1 : waiting
6
task 1 : cancelling task 2 ..
7
True
8
task 1 : task 2 cancelled.
9
the program never end here
10
As you can see, I have multiples coroutines that I gather on.
The task2
coroutine is particular, because it executes long blocking calls
(which are not async) in a separate thread.
The problem is that, when the task1
try to cancel task2
, it doesn’t work.
Question : is there a way to kill the long_blocking_sync_calls
thread, from the coroutine task1
?
Thank you
Advertisement
Answer
I end up to a full asyncio
solution, by avoiding any long blocking synchronous calls, thanks to various libraries.