我已经阅读并再次阅读了有关多处理模块和队列管理的Python文档,但找不到与该问题相关的任何信息,这使我发疯并阻止了我的项目:
我写了一个'JsonLike'类,它使我可以创建一个对象,例如:
a = JsonLike()
a.john.doe.is.here = True
...不考虑中间初始化(非常有用)
下面的代码只是创建了一个这样的对象,将其设置并插入到数组中,然后尝试将其发送给进程(这是我所需要的,但对象本身的发送会导致相同的错误)
考虑这段代码:
from multiprocessing import Process, Queue, Event
class JsonLike(dict):
"""
This class allows json-crossing-through creation and setting such as :
a = JsonLike()
a.john.doe.is.here = True
it automatically creates all the hierarchy
"""
def __init__(self, *args, **kwargs):
# super(JsonLike, self).__init__(*args, **kwargs)
dict.__init__(self, *args, **kwargs)
for arg in args:
if isinstance(arg, dict):
for k, v in arg.items():
self[k] = v
if kwargs:
for k, v in kwargs.items():
self[k] = v
def __getattr__(self, attr):
if self.get(attr) != None:
return attr
else:
newj = JsonLike()
self.__setattr__(attr, newj)
return newj
def __setattr__(self, key, value):
self.__setitem__(key, value)
def __setitem__(self, key, value):
dict.__setitem__(self, key, value)
self.__dict__.update({key: value})
def __delattr__(self, item):
self.__delitem__(item)
def __delitem__(self, key):
dict.__delitem__(self, key)
del self.__dict__[key]
def readq(q, e):
while True:
obj = q.get()
print('got')
if e.is_set():
break
if __name__ == '__main__':
q = Queue()
e = Event()
obj = JsonLike()
obj.toto = 1
arr=[obj]
proc = Process(target=readq, args=(q,e))
proc.start()
print(f"Before sending value :{arr}")
q.put(arr)
print('sending done')
e.set()
proc.join()
proc.close()
我得到以下输出(在q.put
上):
Before sending value :[{'toto': 1}]
Traceback (most recent call last):
sending done
File "/usr/lib/python3.7/multiprocessing/queues.py", line 236, in _feed
obj = _ForkingPickler.dumps(obj)
File "/usr/lib/python3.7/multiprocessing/reduction.py", line 51, in dumps
cls(buf, protocol).dump(obj)
TypeError: 'JsonLike' object is not callable
有什么建议吗?
答案 0 :(得分:2)
问题是您搞砸了__getattr__
。如果在此方法内添加一条print语句,您将看到运行以下代码也会导致崩溃:
obj = JsonLike()
obj.toto.test = 1
q = Queue()
q.put(obj)
q.get()
最后一条语句将导致(重复)调用obj.__getattr__
,搜索名为__getstate__
的属性(稍后将尝试找到它的朋友__setstate__
)。 pickle文档对这种dunder方法的描述如下:
如果缺少
__getstate__()
方法,则照常对实例的__dict__
进行腌制。
在您的情况下,问题是此方法不存在,但是您的代码使它看起来像它一样(通过动态创建具有正确名称的属性)。因此,不会触发默认行为,而是会调用名为__getstate__
的空属性。问题在于__getstate__
是不可调用的,因为它是一个空的JsonLike
对象。这就是为什么您可能会在这里看到诸如“无法调用JsonLike”之类的错误的原因。
一个快速解决方案是避免触摸看起来像__xx__
甚至_xx
的属性。为此,您可以添加/修改以下行:
import re
dunder_pattern = re.compile("__.*__")
protected_pattern = re.compile("_.*")
class JsonLike(dict):
def __getattr__(self, attr):
if dunder_pattern.match(attr) or protected_pattern.match(attr):
return super().__getattr__(attr)
if self.get(attr) != None:
return attr
else:
newj = JsonLike()
self.__setattr__(attr, newj)
return newj
这将允许使先前的代码起作用(您的代码也是如此)。但另一方面,您将无法再编写类似obj.__toto__ = 1
之类的东西,但这仍然是一件好事。
我觉得您可能会在其他情况下遇到类似的错误,可悲的是,在某些情况下,您会发现不会使用此类可预测属性名称的库。这就是为什么我不建议使用IRL这样的机制的原因之一(即使我真的很喜欢这个主意,而且我很想知道它能走多远)。