首先我知道已经有很多关于这个特定错误的问题,但我找不到任何解决它的确切背景的问题。我也尝试过为其他类似错误提供的解决方案,但没有任何区别。
我正在使用python模块pickle
将对象保存到文件并使用以下代码重新加载它:
with open('test_file.pkl', 'wb') as a:
pickle.dump(object1, a, pickle.HIGHEST_PROTOCOL)
这不会抛出任何错误,但是当我尝试使用以下代码打开文件时:
with open('test_file.pkl', 'rb') as a:
object2 = pickle.load(a)
我收到此错误:
---------------------------------------------------------------------------
RecursionError Traceback (most recent call last)
<ipython-input-3-8c5a70d147f7> in <module>()
1 with open('2test_bolfi_results.pkl', 'rb') as a:
----> 2 results = pickle.load(a)
3
~/.local/lib/python3.5/site-packages/elfi/methods/results.py in __getattr__(self, item)
95 def __getattr__(self, item):
96 """Allow more convenient access to items under self.meta."""
---> 97 if item in self.meta.keys():
98 return self.meta[item]
99 else:
... last 1 frames repeated, from the frame below ...
~/.local/lib/python3.5/site-packages/elfi/methods/results.py in __getattr__(self, item)
95 def __getattr__(self, item):
96 """Allow more convenient access to items under self.meta."""
---> 97 if item in self.meta.keys():
98 return self.meta[item]
99 else:
RecursionError: maximum recursion depth exceeded while calling a Python object
我知道其他人在执行pickle.dump
时遇到了同样的错误(Hitting Maximum Recursion Depth Using Pickle / cPickle),我尝试通过执行sys.setrecursionlimit()
来增加最大递归深度,但这不是工作,我得到与上面相同的错误或我进一步增加它和python崩溃消息:Segmentation fault (core dumped)
。
我怀疑问题的根源实际上是我用pickle.load()
保存对象但我真的不知道如何诊断它。
有什么建议吗?
(我在Windows 10机器上运行python3)
答案 0 :(得分:5)
这是一个来自collections.UserDict
的相当小的类,它执行与问题对象相同的技巧。它是一个字典,允许您通过普通的dict语法或属性访问其项目。我已经进行了几次print
次调用,因此我们可以看到主要方法何时被调用。
import collections
class AttrDict(collections.UserDict):
''' A dictionary that can be accessed via attributes '''
def __setattr__(self, key, value):
print('SA', key, value)
if key == 'data':
super().__setattr__('data', value)
else:
self.data[key] = value
def __getattr__(self, key):
print('GA', key)
if key in self.data:
return self.data[key]
else:
print('NOKEY')
raise AttributeError
def __delattr__(self, key):
del self.data[key]
# test
keys = 'zero', 'one', 'two', 'three'
data = {k: i for i, k in enumerate(keys)}
d = AttrDict(data)
print(d)
print(d.zero, d.one, d.two, d['three'])
<强>输出强>
SA data {}
{'zero': 0, 'one': 1, 'two': 2, 'three': 3}
GA zero
GA one
GA two
0 1 2 3
到目前为止,这么好。但是,如果我们尝试挑选我们的d
实例,我们会得到RecursionError
,因为__getattr__
可以对属性访问进行关键查找。我们可以通过为课程提供__getstate__
和__setstate__
方法来克服这个问题。
import pickle
import collections
class AttrDict(collections.UserDict):
''' A dictionary that can be accessed via attributes '''
def __setattr__(self, key, value):
print('SA', key, value)
if key == 'data':
super().__setattr__('data', value)
else:
self.data[key] = value
def __getattr__(self, key):
print('GA', key)
if key in self.data:
return self.data[key]
else:
print('NOKEY')
raise AttributeError
def __delattr__(self, key):
del self.data[key]
def __getstate__(self):
print('GS')
return self.data
def __setstate__(self, state):
print('SS')
self.data = state
# tests
keys = 'zero', 'one', 'two', 'three'
data = {k: i for i, k in enumerate(keys)}
d = AttrDict(data)
print(d)
print(d.zero, d.one, d.two, d['three'])
print('Pickling')
s = pickle.dumps(d, pickle.HIGHEST_PROTOCOL)
print(s)
print('Unpickling')
obj = pickle.loads(s)
print(obj)
<强>输出强>
SA data {}
{'zero': 0, 'one': 1, 'two': 2, 'three': 3}
GA zero
GA one
GA two
0 1 2 3
Pickling
GS
b'\x80\x04\x95D\x00\x00\x00\x00\x00\x00\x00\x8c\x08__main__\x94\x8c\x08AttrDict\x94\x93\x94)\x81\x94}\x94(\x8c\x04zero\x94K\x00\x8c\x03one\x94K\x01\x8c\x03two\x94K\x02\x8c\x05three\x94K\x03ub.'
Unpickling
SS
SA data {'zero': 0, 'one': 1, 'two': 2, 'three': 3}
{'zero': 0, 'one': 1, 'two': 2, 'three': 3}
但是我们可以做些什么来修复这种行为的现有类?幸运的是,Python允许我们轻松地向现有类添加新方法,甚至是我们通过导入获得的方法。
import pickle
import collections
class AttrDict(collections.UserDict):
''' A dictionary that can be accessed via attributes '''
def __setattr__(self, key, value):
print('SA', key, value)
if key == 'data':
super().__setattr__('data', value)
else:
self.data[key] = value
def __getattr__(self, key):
print('GA', key)
if key in self.data:
return self.data[key]
else:
print('NOKEY')
raise AttributeError
def __delattr__(self, key):
del self.data[key]
# Patch the existing AttrDict class with __getstate__ & __setstate__ methods
def getstate(self):
print('GS')
return self.data
def setstate(self, state):
print('SS')
self.data = state
AttrDict.__getstate__ = getstate
AttrDict.__setstate__ = setstate
# tests
keys = 'zero', 'one', 'two', 'three'
data = {k: i for i, k in enumerate(keys)}
d = AttrDict(data)
print(d)
print(d.zero, d.one, d.two, d['three'])
print('Pickling')
s = pickle.dumps(d, pickle.HIGHEST_PROTOCOL)
print(s)
print('Unpickling')
obj = pickle.loads(s)
print(obj)
此代码产生的输出与之前的版本相同,所以我不会在这里重复。
希望这能为您提供足够的信息来修复您的错误对象。我的__getstate__
&amp; __setstate__
个方法仅保存并恢复.data
字典中的内容。为了正确地腌制你的物体,我们可能需要更加激烈。例如,我们可能需要保存并恢复实例的.__dict__
属性,而不仅仅是.data
属性,该属性对应于问题对象中的.meta
属性。< / p>