Basically what I want is to insert those 2's into ar, so that ar gets changed outside the worker_function.
import numpy as np
import multiprocessing as mp
from functools import partial
def worker_function(i=None, ar=None):
    val = 2
    ar[i] = val
    print(ar)
def main():
    ar = np.zeros(5)
    func_part = partial(worker_function, ar=ar)
    mp.Pool(1).map(func_part, range(2))
    print(ar)
if __name__ == '__main__':
    main()
The only thing I can achieve so far is changing the copy of ar inside worker_function but not outside the function:
[2. 0. 0. 0. 0.]
[0. 2. 0. 0. 0.]
[0. 0. 0. 0. 0.]
 
                        
For performance you should use a shared-memory
multiprocessing.Arrayhere to avoid reconstructing and sending arrays across different processes again and again. The array will be the same in all processes, which isn't the case in your example where you send copies around. That's also the reason you don't see the changes made in the parent.Output: