是否可以将Python3 asyncio
包与Boost.Python
库一起使用?
我有使用CPython
构建的C++
Boost.Python
扩展程序。用C++
编写的函数可以工作很长时间。我想使用asyncio
来调用这些函数,但res = await cpp_function()
代码不起作用。
cpp_function
会发生什么?C++
函数来阻止它? 注意:C++
不执行某些I / O操作,只进行计算。
答案 0 :(得分:2)
在coroutine中调用cpp_function会发生什么?
如果你在任何协同程序中调用长时间运行的Python / C函数,它会冻结你的事件循环(冻结所有协同程序)。
你应该避免这种情况。
如何通过调用很长时间的C ++函数来阻止
您应该使用run_in_executor在单独的线程或进程中运行您的函数。 run_in_executor
返回您可以等待的协程。
由于GIL,您可能需要ProcessPoolExecutor
(我不确定ThreadPoolExecutor
是否适用于您的情况,但我建议您检查一下。)
以下是等待长时间运行代码的示例:
import asyncio
from concurrent.futures import ProcessPoolExecutor
import time
def blocking_function():
# Function with long-running C/Python code.
time.sleep(3)
return True
async def main():
# Await of executing in other process,
# it doesn't block your event loop:
loop = asyncio.get_event_loop()
res = await loop.run_in_executor(executor, blocking_function)
if __name__ == '__main__':
executor = ProcessPoolExecutor(max_workers=1) # Prepare your executor somewhere.
loop = asyncio.new_event_loop()
asyncio.set_event_loop(loop)
try:
loop.run_until_complete(main())
finally:
loop.run_until_complete(loop.shutdown_asyncgens())
loop.close()