开发一个在 Python 中并行运行相同文件的脚本



我有一个python脚本,它调用另一个python文件并运行它。但是,我需要脚本多次并行运行同一文件。我将在这里分享代码片段。这会运行一次 python 文件。

output = os.popen('python py_generator_sm20.py' + options)
print output.read()

如何并行化它以同时运行多个时间?

我认为你需要这个:

from multiprocessing.dummy import Pool as ThreadPool 
pt = ThreadPool(4) 
results = pt.map(pt_function, pt_array)

或者可能是这样(如果你有很多线程脚本(:

from Threading_orders import Thread
class First_time(Thread):
"""
A threading example
"""    
def __init__(self, a, b):
"""Инициализация потока"""
Thread.__init__(self)
self.a = a
self.b = b
def run(self):
MyThread_1(self.a, self.b)
MyThread_2(self.a, self.b)
MyThread_3(self.a, self.b)

这可能不是完整的答案,因为 queoutput代码的一部分,但可能是一个起点。使用multiprocessing模块,您可以创建一个工作线程池,然后使用subprocess模块,您可以为每个工作线程调用脚本的一个实例并检查输出:

import multiprocessing as mp
import subprocess as sp
# an example with two runs
commands = ['python test.py', 'python test.py']
# pass the number of threads that will be working
# if the number of threads < len(commands) the exceed 
# will run in sequence when some process terminate
pool = mp.Pool(processes=2)
# execute the script calls
res = pool.map(sp.check_output, commands)
print(*[item.decode() for item in res])
pool.close()

注意:从check_output返回是一个byte string,所以你需要把它转换回string

我用以下简单的程序对其进行了测试:

import time
if __name__ == "__main__":
print("Running an instance at {}".format(time.ctime()))
time.sleep(2)
print("Finished at {}".format(time.ctime()))

这就是输出:

Running an instance at Thu Oct 11 23:21:44 2018
Finished at Thu Oct 11 23:21:46 2018
Running an instance at Thu Oct 11 23:21:44 2018
Finished at Thu Oct 11 23:21:46 2018

如您所见,它们同时运行。

最新更新