Issue
I have four different programs running which is started using a single python program.
import os
from multiprocessing import Pool
import sys
processes = ('p1.py', 'p2.py', 'p3.py','p4.py')
def run_process(process):
os.system('python3 {}'.format(process))
pool = Pool(processes=4)
pool.map(run_process, processes)
currently iam getting the log of all programs in a single file using nohup pmain.py>test.log
But how can i get four different logs of p1,p2,p3 and p4 respectively in different log files.
Solution
A simple fix will be to do,
import os
from multiprocessing import Pool
import sys
processes = ('p1.py > p1.log', 'p2.py > p2.log', 'p3.py > p3.log','p4.py > p4.log')
def run_process(process):
os.system('python3 {}'.format(process))
pool = Pool(processes=4)
pool.map(run_process, processes)
But don't do the above.
The right way to do that would be using subprocess
with something like,
import subprocess
processes = ('p1.py', 'p2.py', 'p3.py','p4.py')
procs = []
for pname in processes:
logfile = os.path.splitext(pname)[0] + '.log'
with open(logfile, 'w') as f:
proc = subprocess.Popen(['python3', pname], stdout=f)
procs.append(proc)
for proc in procs:
proc.wait()
Answered By - han solo