3

有没有办法保留腌制对象的身份,即有以下打印True

import pickle

class Foo:
    pass

x = Foo()
print(x is pickle.loads(pickle.dumps(x)))          #False

我在 Linux 机器上使用 cPickle 和 cpython 3.x,不需要可移植的东西。

4

2 回答 2

7

是的,有可能; 您需要以某种方式在腌制结果中包含“身份”;在这种情况下,最自然的方法是使用__getnewargs__并让__new__方法返回现有的缓存实例。

import uuid
import weakref


class Foo(object):
    ident_cache = weakref.WeakValueDictionary()

    def __new__(cls, identity=None, **kwargs):
        if identity is None:
            identity = uuid.uuid1()
        try:
            self = cls.ident_cache[identity]
        except KeyError:
            self = super(Foo, cls).__new__(cls)
            self.__identity = identity
            self.__init__(**kwargs)
            cls.ident_cache[identity] = self
        return self

    def __getnewargs__(self):
        return (self.__identity,)

    def __init__(self, foo):
        self.foo = foo
>>> import pickle
>>> a = Foo(foo=1)
>>> b = pickle.loads(pickle.dumps(a, pickle.HIGHEST_PROTOCOL))
>>> a is b
True

重要的注意事项是您必须使用协议版本 2(或更高版本,假设);因为否则,__new__永远不会被调用。这只是关心pickle.dumpsloads不关心。

于 2012-12-07T17:30:26.037 回答
1
import pickle

class Foo:
    _id_counter = 0
    def __init__(self):
        self._id = Foo._id_counter
        Foo._id_counter += 1

x = Foo()
print(x._id==pickle.loads(pickle.dumps(x))._id)     # True
于 2012-12-07T17:02:15.793 回答