并行运行单独的进程-Python

2024-06-01 05:37:10 发布

您现在位置:Python中文网/ 问答频道 /正文

我使用python的“多处理”模块在多个核心上运行单个进程,但我希望并行运行几个独立进程。对于ex Process one解析大文件,Process two在不同的文件中查找模式,Process three进行一些计算;是否可以并行运行具有不同参数集的所有三个不同处理?

def Process1(largefile):
    Parse large file
    runtime 2hrs
    return parsed_file

def Process2(bigfile)
    Find pattern in big file
    runtime 2.5 hrs
    return pattern

def Process3(integer)
    Do astronomical calculation
    Run time 2.25 hrs
    return calculation_results

def FinalProcess(parsed,pattern,calc_results):
    Do analysis
    Runtime 10 min
    return final_results

def main():
parsed = Process1(largefile)
pattern = Process2(bigfile)
calc_res = Process3(integer)
Final = FinalProcess(parsed,pattern,calc_res)

if __name__ == __main__:
    main()
    sys.exit()

在上述伪代码进程1中,进程2和进程3是单核进程,即它们不能在多个处理器上运行。这些过程按顺序运行,需要2+2.5+2.25小时=6.75小时。这三个进程可以并行运行吗?因此,它们在不同的处理器/内核上同时运行,并且当大多数时间(Process2)结束时,我们将转到最终进程。

我非常感谢你的帮助。

AK公司


Tags: 文件return进程maindefcalcparsedprocess
1条回答
网友
1楼 · 发布于 2024-06-01 05:37:10

来自16.6.1.5. Using a pool of workers

from multiprocessing import Pool

def f(x):
    return x*x

if __name__ == '__main__':
    pool = Pool(processes=4)              # start 4 worker processes
    result = pool.apply_async(f, [10])    # evaluate "f(10)" asynchronously
    print result.get(timeout=1)           # prints "100" unless your computer is *very* slow
    print pool.map(f, range(10))          # prints "[0, 1, 4,..., 81]"

因此,您可以对池应用异步,并在一切就绪后获取结果。

from multiprocessing import Pool

# all your methods declarations above go here
# (...)

def main():
    pool = Pool(processes=3)
    parsed = pool.apply_async(Process1, [largefile])
    pattern = pool.apply_async(Process2, [bigfile])
    calc_res = pool.apply_async(Process3, [integer])

    pool.close()
    pool.join()

    final = FinalProcess(parsed.get(), pattern.get(), calc_res.get())

# your __main__ handler goes here
# (...)

相关问题 更多 >