Launch concurrent.futures.ProcessPoolExecutor with initialization?

前端 未结 2 1773
有刺的猬
有刺的猬 2020-12-31 17:19

I\'m planning to use concurrent.futures.ProcessPoolExecutor to parallelize execution of functions. According to the documentation, its executor obj

2条回答
  •  囚心锁ツ
    2020-12-31 18:13

    It sounds like you're looking for an equivalent to the initializer/initargs options that multiprocessing.Pool takes. Currently, that behavior doesn't exist for concurrent.futures.ProcessPoolExecutor, though there is a patch waiting for review that adds that behavior.

    So, you can either use multiprocessing.Pool (which might be fine for your usecase), wait for that patch to get merged and released (you might be waiting a while :)), or roll your own solution. Turns out, it's not too hard to write a wrapper function for map that takes an initializer, but only calls it one per process:

    from concurrent.futures import ProcessPoolExecutor
    from functools import partial
    
    inited = False
    initresult = None
    
    def initwrapper(initfunc, initargs, f, x):
        # This will be called in the child. inited
        # Will be False the first time its called, but then
        # remain True every other time its called in a given
        # worker process.
        global inited, initresult
        if not inited:
            inited = True
            initresult = initfunc(*initargs)
        return f(x)
    
    def do_init(a,b):
        print('ran init {} {}'.format(a,b))
        return os.getpid() # Just to demonstrate it will be unique per process
    
    def f(x):
        print("Hey there {}".format(x))
        print('initresult is {}'.format(initresult))
        return x+1
    
    def initmap(executor, initializer, initargs, f, it):
        return executor.map(partial(initwrapper, initializer, initargs, f), it)
    
    
    if __name__ == "__main__":
        with ProcessPoolExecutor(4) as executor:
            out = initmap(executor, do_init, (5,6), f, range(10))
        print(list(out))
    

    Output:

    ran init 5 6
    Hey there 0
    initresult is 4568
    ran init 5 6
    Hey there 1
    initresult is 4569
    ran init 5 6
    Hey there 2
    initresult is 4570
    Hey there 3
    initresult is 4569
    Hey there 4
    initresult is 4568
    ran init 5 6
    Hey there 5
    initresult is 4571
    Hey there 6
    initresult is 4570
    Hey there 7
    initresult is 4569
    Hey there 8
    initresult is 4568
    Hey there 9
    initresult is 4570
    [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
    

提交回复
热议问题