I am using python multiprocessing to split one of the longer processes and run parallelly. It is working fine except when there is an exception in one of the child processes, in which case, process pool is not closed and I can still see those processes on the server.
Here is the code:
from multiprocessing import Pool
pool = Pool(processes=4)
from functools import partial
param_data = "Test Value"
func = partial(test_function, param_data)
r = pool.map(func, range(3))
pool.close()
def test_function(param_data,index):
try:
# The process here;
except Exception as e:
# Close the process pool;
On giving pool.close
inside the except block it says
NameError: global name 'pool' is not defined
I tried to kill the process on Exception with the following code.
except Exception as e:
import os
import signal
pid = os.getpid()
os.kill(pid, signal.SIGTERM)
But I can still see the process on the server. This still not the best solution as this will only terminate the child process which encountered an exception other processes will still go on.
I want all processes to terminate on completion, irrespective of if they encounter with an exception or not.
I am running Python2.7
Ps: I cannot install a new library like psutil on the server, I am trying for a solution using standard python library.
I checked few similar questions such as, auto kill process and child in this forum but they were not really this issue.