在 Python 中创建不可变对象
在 Python 中创建不可变对象可能会带来挑战。简单地覆盖 setattr 是不够的,因为在初始化期间无法设置属性。常用的解决方案是对元组进行子类化,如下所示:
<code class="python">class Immutable(tuple): def __new__(cls, a, b): return tuple.__new__(cls, (a, b)) @property def a(self): return self[0] @property def b(self): return self[1] def __str__(self): return "<Immutable {0}, {1}>".format(self.a, self.b) def __setattr__(self, *ignored): raise NotImplementedError def __delattr__(self, *ignored): raise NotImplementedError</code>
但是,这种方法通过 self[0] 和 self[1] 授予对 a 和 b 属性的访问权限,这可能不方便.
为了实现纯 Python 不变性,存在另一种替代方法:
<code class="python">Immutable = collections.namedtuple("Immutable", ["a", "b"])</code>
此方法利用 slots 并从元组继承,生成具有所需行为的类型。它提供了与 pickle 和 copy 兼容的优点,但仍然允许通过 [0] 和 [1] 访问属性。
以上是我们怎样才能在Python中实现真正的不变性?的详细内容。更多信息请关注PHP中文网其他相关文章!