Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Set niceness of each process in a multiprocessing.Pool

How can I set the niceness for each process in a multiprocessing.Pool? I understand that I can increment niceness with os.nice(), but how do call it in the child process after creating the pool? If I call it in the mapped function it will be called every time the function executes, rather than once when the process is forked.

import multiprocessing as mp    

NICENESS = 19
DATA = range(100000)

def foo(bar):
    return bar * 2

pool = mp.Pool(100)
# Somehow set niceness of each process to NICENESS

pool.map(foo, DATA)
like image 541
jsj Avatar asked Jan 03 '20 13:01

jsj


1 Answers

What about using an initializer for that? https://docs.python.org/2/library/multiprocessing.html#module-multiprocessing.pool I believe the function is called once when the pool is started and I'm guessing that the os.nice() call in the initializer should work for the proces after that.

I've added some additional statements to show that it works in your worker function but the os.nice() calls should obviously be removed since you want a static niceness value.

import multiprocessing as mp
import os

NICENESS = 3
DATA = range(6)


def foo(bar):
    newniceness = os.nice(1) # remove this
    print('Additional niceness:', newniceness) # remove this
    return bar * 2


def set_nicesness(val): # the initializer
    newval = os.nice(val) # starts at 0 and returns newvalue
    print('niceness value:', newval)



pool = mp.Pool(3, initializer=set_nicesness, initargs=(NICENESS,))
# Somehow set niceness of each process to NICENESS
pool.map(foo, DATA)

As you can see from the prints the niceness now starts at 3 (I've set this for NICENESS) and starts incrementing from there.

like image 155
Marc Avatar answered Oct 13 '22 18:10

Marc