gpt4 book ai didi

python - 递归错误 : maximum recursion depth exceeded while calling a Python object when using pickle. 加载()

转载 作者:太空狗 更新时间:2023-10-30 02:37:26 25 4
gpt4 key购买 nike

首先,我知道已经有人问过关于这个特定错误的多个问题,但我找不到任何可以解决它发生在我身上的确切上下文的问题。我也尝试了为其他类似错误提供的解决方案,但没有任何区别。

我正在使用 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)

最佳答案

这是从 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

到目前为止,还不错。但是,如果我们尝试 pickle 我们的 d 实例,我们会得到 RecursionError,因为 __getattr__ 执行属性访问到键查找的神奇转换。我们可以通过为类(class)提供 __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____setstate__ 方法 保存和恢复.data 字典中的内容。为了正确地 pickle 你的对象,我们可能需要更激烈一些。例如,我们可能需要保存和恢复实例的.__dict__属性,而不仅仅是.data属性,它对应于.meta 问题对象中的属性。

关于python - 递归错误 : maximum recursion depth exceeded while calling a Python object when using pickle. 加载(),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/50156118/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com