在python中使用有序的dict作为对象字典

时间:2009-01-18 12:33:03

标签: python ordereddictionary

我不知道为什么这不起作用:

我正在使用odict中的PEP 372类,但我想将其用作__dict__成员,即:

class Bag(object):
    def __init__(self):
        self.__dict__ = odict()

但由于某种原因,我得到了奇怪的结果。这有效:

>>> b = Bag()
>>> b.apple = 1
>>> b.apple
1
>>> b.banana = 2
>>> b.banana
2

但是尝试访问实际字典不起作用:

>>> b.__dict__.items()
[]
>>> b.__dict__
odict.odict([])

它变得更奇怪了:

>>> b.__dict__['tomato'] = 3
>>> b.tomato
3
>>> b.__dict__
odict.odict([('tomato', 3)])

我感觉非常愚蠢。你能救我一下吗?

3 个答案:

答案 0 :(得分:8)

我能找到的最接近你问题的答案是http://mail.python.org/pipermail/python-bugs-list/2006-April/033155.html

基本上,如果__dict__不是实际dict(),则会被忽略,属性查找失败。

替代方法是使用odict作为成员,并相应地覆盖getitem和setitem方法。

>>> class A(object) :
...     def __init__(self) :
...             self.__dict__['_odict'] = odict()
...     def __getattr__(self, value) :
...             return self.__dict__['_odict'][value]
...     def __setattr__(self, key, value) :
...             self.__dict__['_odict'][key] = value
... 
>>> a = A()
>>> a
<__main__.A object at 0xb7bce34c>
>>> a.x = 1
>>> a.x
1
>>> a.y = 2
>>> a.y
2
>>> a.odict
odict.odict([('x', 1), ('y', 2)])

答案 1 :(得分:4)

sykora答案中的所有内容都是正确的。这是一个更新的解决方案,具有以下改进:

  1. 即使在直接访问a.__dict__
  2. 的特殊情况下也能正常工作
  3. 支持copy.copy()
  4. 支持==!=运营商
  5. 使用Python 2.7中的collections.OrderedDict
  6. ...

    from collections import OrderedDict
    
    class OrderedNamespace(object):
        def __init__(self):
            super(OrderedNamespace, self).__setattr__( '_odict', OrderedDict() )
    
        def __getattr__(self, key):
            odict = super(OrderedNamespace, self).__getattribute__('_odict')
            if key in odict:
                return odict[key]
            return super(OrderedNamespace, self).__getattribute__(key)
    
        def __setattr__(self, key, val):
            self._odict[key] = val
    
        @property
        def __dict__(self):
            return self._odict
    
        def __setstate__(self, state): # Support copy.copy
            super(OrderedNamespace, self).__setattr__( '_odict', OrderedDict() )
            self._odict.update( state )
    
        def __eq__(self, other):
            return self.__dict__ == other.__dict__
    
        def __ne__(self, other):
            return not self.__eq__(other)
    

答案 2 :(得分:1)

如果您正在寻找具有OrderedDict属性访问权限的库,orderedattrdict包提供此功能。

>>> from orderedattrdict import AttrDict
>>> conf = AttrDict()
>>> conf['z'] = 1
>>> assert conf.z == 1
>>> conf.y = 2
>>> assert conf['y'] == 2
>>> conf.x = 3
>>> assert conf.keys() == ['z', 'y', 'x']

披露:我创作了这个图书馆。认为它可能有助于未来的搜索者。