小能豆

Python - 多进程,类的成员函数

py

我不知道这是因为我的问题,还是 Python2.7 的多处理模块的问题。有人能找出为什么它不起作用吗?

from multiprocessing import pool as mp
class encapsulation:
   def __init__(self):
       self.member_dict = {}
   def update_dict(self,index,value):
       self.member_dict[index] = value
encaps = encapsulation()
def method(argument):
   encaps.update_dict(argument,argument)
   print encaps.member_dict
p = mp() #sets up multiprocess pool of processors
p.map(method,sys.argv[1:]) #method is the function, sys.argv is the list of arguments to multiprocess
print encaps.member_dict
>>>{argument:argument}
>>>{}

所以我的问题只是关于成员变量。我的理解是,类封装应该在函数内部和外部保存这个字典。为什么它会重置并给我一个空字典,即使我只初始化了一次?请帮忙


阅读 14

收藏
2025-01-03

共1个答案

小能豆

即使你封装了对象,多处理模块最终也会在每个进程中使用对象的本地副本,并且永远不会真正将你的更改传播回给你。在这种情况下,你没有正确使用 Pool.map,因为它期望每个方法调用都返回一个结果,然后将结果发送回你的返回值。如果你想要影响共享对象,那么你需要一个管理器来协调共享内存:

封装共享对象

from multiprocessing import Pool 
from multiprocessing import Manager
import sys

class encapsulation:
   def __init__(self):
       self.member_dict = {}
   def update_dict(self,index,value):
       self.member_dict[index] = value

encaps = encapsulation()

def method(argument):
   encaps.update_dict(argument,argument)
   # print encaps.member_dict       

manager = Manager()
encaps.member_dict = manager.dict()

p = Pool()
p.map(method,sys.argv[1:])

print encaps.member_dict

输出

$ python mp.py a b c
{'a': 'a', 'c': 'c', 'b': 'b'}

我建议不要真正将共享对象设置为成员属性,而是将其作为参数传入,或者封装共享对象本身,然后将其值传入字典。共享对象无法持久保存。它需要被清空并丢弃:

# copy the values to a reg dict
encaps.member_dict = encaps.member_dict.copy()

但这可能更好:

class encapsulation:
   def __init__(self):
       self.member_dict = {}
   # normal dict update
   def update_dict(self,d):
       self.member_dict.update(d)

encaps = encapsulation()

manager = Manager()
results_dict = manager.dict()

# pass in the shared object only
def method(argument):
   results_dict[argument] = argument    

p = Pool()
p.map(method,sys.argv[1:])

encaps.update_dict(results_dict)

按预期使用pool.map

如果您使用地图返回值,它可能看起来像这样:

def method(argument):
   encaps.update_dict(argument,argument)
   return encaps.member_dict

p = Pool()
results = p.map(method,sys.argv[1:]) 
print results
# [{'a': 'a'}, {'b': 'b'}, {'c': 'c'}]

您需要将结果再次合并到您的字典中:

for result in results:
    encaps.member_dict.update(result)
print encaps.member_dict
# {'a': 'a', 'c': 'c', 'b': 'b'}
2025-01-03