在主进程

时间:2017-06-30 19:37:26

标签: python python-multiprocessing python-asyncio

我有以下场景:多个工作进程将有关其当前状态的事件发送到事件调度程序。如果我们在主进程中,则此事件调度程序需要处理所有事件,或者如果我们处于工作进程中,则表示主进程的事件调度程序处理这些事件。

这里的主要关键是事件处理也必须在主进程的主线程中,所以我不能只在线程内运行一个True循环并等待来自worker的消息那里的过程。

所以我拥有的是:

import asyncio
from concurrent.futures import ThreadPoolExecutor
from multiprocessing import current_process, Process, Queue
from threading import current_thread
from time import sleep

def get_q(q):
    print("Waiting for the queue ({} / {})\n".format(current_thread().name, current_process().name))
    return q.get()

async def message_q(q):
    while True:
        f = loop.run_in_executor(None, get_q, q)

        await f

        if f.result() is None:
            print("Done")
            return;

        print("Got the result ({} / {})".format(current_thread().name, current_process().name))
        print("Result is: {}\n".format(f.result()))

async def something_else():
    while True:
        print("Something else\n")
        await asyncio.sleep(2)

def other_process(q):
    for i in range(5):
        print("Putting something in the queue ({})".format(current_process().name))
        q.put(i)
        sleep(1)

    q.put(None)

q = Queue()

Process(target=other_process, args=(q,), daemon=True).start()

loop = asyncio.get_event_loop()
loop.set_default_executor(ThreadPoolExecutor(max_workers=1))
asyncio.ensure_future(message_q(q))
asyncio.ensure_future(something_else())
loop.run_until_complete(asyncio.sleep(6))

other_process()是一个示例性的工作进程,它使用一个队列来通知主进程,该进程运行一个事件循环来处理东西并等待队列上的任何数据。在实际情况中,此过程将向事件调度程序发出信号,该事件调度程序随后将处理队列消息传递,将消息传递给主进程事件调度程序,但此处我对其进行了简化。

但是,我对此并不十分满意。一次又一次地向get_q()提交ThreadPoolExecutor会产生更多开销,并且不像一个长时间运行的线程那样干净。一旦队列中没有其他数据,await f就没有最佳和阻塞,这会阻止事件循环退出。我的解决方法是在工作人员完成后发送None,如果message_q()在队列中,则退出None

有没有更好的方法来实现这个?性能非常关键,我想将Queue对象保持在事件调度程序的本地,而不是将其传递给管理工作进程的代码(或者需要调用某种finalize()方法。)

1 个答案:

答案 0 :(得分:3)

我现在将其实现为异步上下文管理器。上下文管理器调用

asyncio.ensure_future(message_q())

__aenter__()方法中,在None方法中将__aexit__()添加到队列中,以关闭message_q()中的无限循环。

然后可以在流程生成代码部分的async with语句中使用上下文管理器,从而无需手动调用shutdown方法。但是,在确保await asyncio.sleep(0)协程允许上下文管理器初始化队列侦听器之后,建议在__aenter__()方法内调用message_q()。否则,将不会立即调用message_q()。这本身不是问题(因为无论如何队列都已填满),但它会延迟事件转发,直到代码中出现下一个await为止。

应使用ProcessPoolExecutorloop.run_in_executor()生成进程,因此等待进程不会阻止事件循环。

您可能还想使用JoinableQueue来确保在退出上下文管理器之前处理了所有事件,而不是使用Queue。