我正在编写自己的容器,它需要通过属性调用来访问内部字典。容器的典型用法是这样的:
dict_container = DictContainer()
dict_container['foo'] = bar
...
print dict_container.foo
我知道写这样的东西可能很愚蠢,但这是我需要提供的功能。我正在考虑通过以下方式实现这一点:
def __getattribute__(self, item):
try:
return object.__getattribute__(item)
except AttributeError:
try:
return self.dict[item]
except KeyError:
print "The object doesn't have such attribute"
我不确定嵌套的 try/except 块是否是一个好习惯,所以另一种方法是使用 hasattr()
和 has_key()
:
def __getattribute__(self, item):
if hasattr(self, item):
return object.__getattribute__(item)
else:
if self.dict.has_key(item):
return self.dict[item]
else:
raise AttributeError("some customised error")
或者像这样使用其中之一和一个 try catch 块:
def __getattribute__(self, item):
if hasattr(self, item):
return object.__getattribute__(item)
else:
try:
return self.dict[item]
except KeyError:
raise AttributeError("some customised error")
哪个选项最 Pythonic 和优雅?
原文由 Michal 发布,翻译遵循 CC BY-SA 4.0 许可协议
你的第一个例子非常好。甚至官方 Python 文档也推荐这种称为 EAFP 的风格。
就个人而言,我更愿意在不必要时避免嵌套:
附言。
has_key()
在 Python 2 中已经弃用了很长时间。使用item in self.dict
代替。