如何使用多处理在Python中运行多个异步进程?

时间:2017-12-23 10:35:05

标签: python python-3.x asynchronous multiprocessing python-multiprocessing

我需要使用多处理来运行多个后台异步函数。我有Popen的解决方案,但看起来有点不自然。例如:

from time import sleep
from multiprocessing import Process, Value
import subprocess

def worker_email(keyword):
    subprocess.Popen(["python", "mongoworker.py", str(keyword)])
    return True

keywords_list = ['apple', 'banana', 'orange', 'strawberry']

if __name__ == '__main__':
    for keyword in keywords_list:
        # Do work
        p = Process(target=worker_email, args=(keyword,))
        p.start()
        p.join()

如果我尽量不使用Popen,比如:

def worker_email(keyword):
    print('Before:' + keyword)
    sleep(10)
    print('After:' + keyword)
    return True

函数一个接一个地运行,没有异步。那么,如何在不使用Popen的情况下同时运行所有函数?

UPD:我正在使用multiprocessing.Value从Process返回结果,如:

def worker_email(keyword, func_result):
    sleep(10)
    print('Yo:' + keyword)
    func_result.value = 1
    return True

func_result = Value('i', 0)
p = Process(target=worker_email, args=(doc['check_id'],func_result))
p.start()
# Change status
if func_result.value == 1:
    stream.update_one({'_id': doc['_id']}, {"$set": {"status": True}}, upsert=False)

但没有.join()就行不通。任何想法如何使其工作或类似的方式? :)

2 个答案:

答案 0 :(得分:1)

如果您只删除行p.join(),它应该可以正常工作。 如果要在进一步执行之前等待进程完成,则只需要p.join。在程序结束时,python等待所有进程在关闭之前完成,因此您不必担心这一点。

答案 1 :(得分:0)

通过将结果检查和状态更新转移到工作人员功能来解决获取处理结果的问题。类似的东西:

# Update task status if work is done
def update_status(task_id, func_result):
    # Connect to DB
    client = MongoClient('mongodb://localhost:27017/')
    db = client.admetric
    stream = db.stream

    # Update task status if OK
    if func_result:
        stream.update_one({'_id': task_id}, {"$set": {"status": True}}, upsert=False)

    # Close DB connection
    client.close()

# Do work
def yo_func(keyword):
    sleep(10)
    print('Yo:' + keyword)
    return True

# Worker function
def worker_email(keyword, task_id):
    update_status(task_id, yo_func(keyword))