4

定期,我想在 Python 中创建完全空的对象。基本上,我想要一个键是属性的字典。在 Python 2.x 中,我可以像这样创建旧式类型:

class Empty: pass

这将创建一个只有两个属性(__doc____module__)的类型。在 Python 3.x 中,一切都是新样式的类,所以我得到了 18 个属性。

在我目前的情况下,我有一个类允许您在单元测试中指定需要猴子修补的类型。应用补丁时,我正在创建一个具有属性的类型,该属性带有每个模拟类型的名称。这几乎就是我当前的实现正在做的事情:

class EmptyType: pass
...
mocks = EmptyType()
for mock_name, mock in patches:
    setattr(mocks, mock_name, mock)

我担心的是,如果有人在嘲笑私有成员,他们可能会遇到与EmptyType对象中名称的命名冲突。这就是为什么我想尽可能少地保留属性EmptyType。说mocks.find_users起来比说起来容易得多mocks["find_users"],尤其是当我知道名称必须是有效标识符时。

现在,我已经提供了给 mocks 不同的名字的能力,而不是默认的名字。不过,首先避免令人困惑的错误会很好。在 JavaScript 中创建几乎为空的类型非常容易,我希望 Python 中也有类似的东西,因为我一直在寻找它们的好用处。

4

1 回答 1

6

创建自己的自定义容器怎么样?

class Empty(object):

    def __init__(self, **kwargs):
        object.__setattr__(self, '_obj', kwargs)

    def __getattribute__(self, name):
        obj = object.__getattribute__(self, '_obj')
        try:
            return obj[name]
        except KeyError:
            cls_name = object.__getattribute__(self, '__class__').__name__
            raise AttributeError(
                "'%(cls_name)s' object has no attribute '%(name)s'" % locals())

    def __setattr__(self, name, val):
        obj = object.__getattribute__(self, '_obj')
        obj[name] = val

    def __getitem__(self, key):
        return getattr(self, key)

    def __setitem__(self, key, val):
        return setattr(self, key, val)

用法:

e = Empty(initial='optional-value')
e.initial
# 'optional-value'
e.val = 'foo'
e.val
# 'foo'
e.bad
# AttributeError: 'Empty' object has no attribute 'bad'
setattr(e, 'user', 'jdi')
e.user
# 'jdi'
e['user']
# 'jdi'

# note that you dont even see anything when you dir()
dir(e)
# []

# and trying to access _obj is protected
e._obj
#AttributeError: 'Empty' object has no attribute '_obj'

# But you could even set your own _obj attribute
e._obj = 1
e._obj
# 1

它将所有内容存储在_obj字典下,因此您基本上可以获得一个与实际实例属性不冲突的干净空间。

于 2012-08-17T01:38:05.387 回答