我从t
类型的api收到一个对象Object
。我无法腌制它,得到错误:
File "p.py", line 55, in <module>
pickle.dump(t, open('data.pkl', 'wb'))
File "/usr/lib/python2.6/pickle.py", line 1362, in dump
Pickler(file, protocol).dump(obj)
File "/usr/lib/python2.6/pickle.py", line 224, in dump
self.save(obj)
File "/usr/lib/python2.6/pickle.py", line 313, in save
(t.__name__, obj))
pickle.PicklingError: Can't pickle 'Object' object: <Object object at 0xb77b11a0>
当我执行以下操作时:
for i in dir(t): print(type(i))
我只获得字符串对象:
<type 'str'>
<type 'str'>
<type 'str'>
...
<type 'str'>
<type 'str'>
<type 'str'>
如何打印Object
对象的内容以了解为何无法进行腌制?
对象也可能包含指向QT对象的C指针,在这种情况下,对我来说,挑选对象是没有意义的。但我想再次看到对象的内部结构,以便建立这个。
答案 0 :(得分:7)
我会使用dill
,它有工具来调查对象内部导致目标对象无法被选择的工具。请参阅此答案以获取示例:Good example of BadItem in Dill Module,此Q&amp; A代表实际使用的检测工具示例:pandas.algos._return_false causes PicklingError with dill.dump_session on CentOS。
>>> import dill
>>> x = iter([1,2,3,4])
>>> d = {'x':x}
>>> # we check for unpicklable items in d (i.e. the iterator x)
>>> dill.detect.baditems(d)
[<listiterator object at 0x10b0e48d0>]
>>> # note that nothing inside of the iterator is unpicklable!
>>> dill.detect.baditems(x)
[]
但是,最常见的出发点是使用trace
:
>>> dill.detect.trace(True)
>>> dill.detect.errors(d)
D2: <dict object at 0x10b8394b0>
T4: <type 'listiterator'>
PicklingError("Can't pickle <type 'listiterator'>: it's not found as __builtin__.listiterator",)
>>>
dill
还具有跟踪指针引用和对象引用的功能,因此您可以构建对象如何相互引用的层次结构。请参阅:https://github.com/uqfoundation/dill/issues/58
或者,还有:cloudpickle.py和debugpickle.py,它们大部分都不再开发了。我是dill
作者,希望尽快合并dill
中缺少的这些代码中的任何功能。
答案 1 :(得分:4)
您可能需要先阅读python docs并查看API的Object
课程。
关于&#34;对象的内部结构&#34;,通常实例属性存储在__dict__
属性中(并且由于类属性未被pickle,您只关心实例属性) - 但请注意,您还必须递归检查每个属性的__dict__
。
答案 2 :(得分:1)
我试过Dill,但它并没有解释我的问题。相反,我使用了https://gist.github.com/andresriancho/15b5e226de68a0c2efd0中的以下代码,这恰好显示了__getattribute__
覆盖中的错误:
def debug_pickle(instance):
"""
:return: Which attribute from this object can't be pickled?
"""
attribute = None
for k, v in instance.__dict__.iteritems():
try:
cPickle.dumps(v)
except:
attribute = k
break
return attribute
编辑:这是我的代码的复制品,使用pickle和cPickle:
class myDict(dict):
def __getattribute__(self, item):
# Try to get attribute from internal dict
item = item.replace("_", "$")
if item in self:
return self[item]
# Try super, which may leads to an AttribueError
return super(myDict, self).__getattribute__(item)
myd = myDict()
try:
with open('test.pickle', 'wb') as myf:
cPickle.dump(myd, myf, protocol=-1)
except:
print traceback.format_exc()
try:
with open('test.pickle', 'wb') as myf:
pickle.dump(myd, myf, protocol=-1)
except:
print traceback.format_exc()
输出:
Traceback (most recent call last):
File "/Users/myuser/Documents/workspace/AcceptanceTesting/ingest.py", line 35, in <module>
cPickle.dump(myd, myf, protocol=-1)
UnpickleableError: Cannot pickle <class '__main__.myDict'> objects
Traceback (most recent call last):
File "/Users/myuser/Documents/workspace/AcceptanceTesting/ingest.py", line 42, in <module>
pickle.dump(myd, myf, protocol=-1)
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/pickle.py", line 1370, in dump
Pickler(file, protocol).dump(obj)
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/pickle.py", line 224, in dump
self.save(obj)
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/pickle.py", line 313, in save
(t.__name__, obj))
PicklingError: Can't pickle 'myDict' object: {}
您会看到原因是因为__getattribute__
答案 3 :(得分:0)
这是Python 3中Alastair's solution的扩展。
它:
是递归的,用于处理可能存在许多问题的复杂对象。
输出采用.x[i].y.z....
的形式,使您可以查看调用了哪些成员来解决问题。使用dict
时,它只打印[key/val type=...]
,因为键或值可能是问题所在,这使得({并非不可能)引用dict
中的特定键或值变得困难(但并非不可能)。 / p>
说明了更多类型,尤其是list
,tuple
和dict
,因为它们没有__dict__
属性,因此需要分别处理。
返回所有问题,而不仅仅是第一个。
def get_unpicklable(instance, exception=None, string='', first_only=True):
"""
Recursively go through all attributes of instance and return a list of whatever
can't be pickled.
Set first_only to only print the first problematic element in a list, tuple or
dict (otherwise there could be lots of duplication).
"""
problems = []
if isinstance(instance, tuple) or isinstance(instance, list):
for k, v in enumerate(instance):
try:
pickle.dumps(v)
except BaseException as e:
problems.extend(get_unpicklable(v, e, string + f'[{k}]'))
if first_only:
break
elif isinstance(instance, dict):
for k in instance:
try:
pickle.dumps(k)
except BaseException as e:
problems.extend(get_unpicklable(
k, e, string + f'[key type={type(k).__name__}]'
))
if first_only:
break
for v in instance.values():
try:
pickle.dumps(v)
except BaseException as e:
problems.extend(get_unpicklable(
v, e, string + f'[val type={type(v).__name__}]'
))
if first_only:
break
else:
for k, v in instance.__dict__.items():
try:
pickle.dumps(v)
except BaseException as e:
problems.extend(get_unpicklable(v, e, string + '.' + k))
# if we get here, it means pickling instance caused an exception (string is not
# empty), yet no member was a problem (problems is empty), thus instance itself
# is the problem.
if string != '' and not problems:
problems.append(
string + f" (Type '{type(instance).__name__}' caused: {exception})"
)
return problems