繁体   English   中英

如何将 asyncio 与其他操作系统线程同步?

[英]How can I synchronize asyncio with other OS threads?

我有一个带有一个主线程的程序,我在其中生成了第二个使用 asyncio 的线程。 是否提供了任何工具来同步这两个线程? 如果一切都是异步的,我可以用它的同步原语来做,例如:

import asyncio

async def taskA(lst, evt):
    print(f'Appending 1')
    lst.append(1)
    evt.set()

async def taskB(lst, evt):
    await evt.wait()
    print('Retrieved:', lst.pop())

lst = []
evt = asyncio.Event()
asyncio.get_event_loop().run_until_complete(asyncio.gather(
    taskA(lst, evt),
    taskB(lst, evt),
))

但是,这不适用于多线程。 如果我只使用一个threading.Event那么它会阻塞 asyncio 线程。 我想我可以将等待推迟到执行者:

import asyncio
import threading

def taskA(lst, evt):
    print(f'Appending 1')
    lst.append(1)
    evt.set()

async def taskB(lst, evt):
    asyncio.get_event_loop().run_in_executor(None, evt.wait)
    print('Retrieved:', lst.pop())

def targetA(lst, evt):
    taskA(lst, evt)

def targetB(lst, evt):
    asyncio.set_event_loop(asyncio.new_event_loop())
    asyncio.get_event_loop().run_until_complete(taskB(lst, evt))

lst = []
evt = threading.Event()
threadA = threading.Thread(target=targetA, args=(lst, evt))
threadB = threading.Thread(target=targetB, args=(lst, evt))
threadA.start()
threadB.start()
threadA.join()
threadB.join()

但是,让执行程序线程只等待互斥锁似乎不自然。 这是应该这样做的方式吗? 或者有没有其他方法可以异步等待操作系统线程之间的同步?

将 asyncio 协程与来自另一个线程的事件同步的一种简单方法是在 taskB 中等待asyncio.Event ,并使用loop.call_soon_threadsafe从 taskA 设置它。

为了能够在两者之间传递值和异常,您可以使用期货; 但是,您正在发明很多run_in_executor 如果 taskA 的唯一工作是从队列中取出任务,您不妨创建一个单工“池”并将其用作您的工作线程。 然后您可以按预期使用run_in_executor

worker = concurrent.futures.ThreadPoolExecutor(max_workers=1)

async def taskB(lst):
    loop = asyncio.get_event_loop()
    # or result = await ..., if taskA has a useful return value
    # This will also propagate exceptions raised by taskA
    await loop.run_in_executor(worker, taskA, lst)
    print('Retrieved:', lst.pop())

语义与具有显式队列的版本相同 - 队列仍然存在,它只是在ThreadPoolExecutor内部。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM