0

その方法で属性を追加しないようにクラスを保護する方法:

class foo(object):
     pass

x=foo()
x.someRandomAttr=3.14
4

2 に答える 2

4

不変オブジェクトが必要な場合は、collections.namedtuple()ファクトリを使用してクラスを作成します。

from collections import namedtuple

foo = namedtuple('foo', ('bar', 'baz'))

デモ:

>>> from collections import namedtuple
>>> foo = namedtuple('foo', ('bar', 'baz'))
>>> f = foo(42, 38)
>>> f.someattribute = 42
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'foo' object has no attribute 'someattribute'
>>> f.bar
42

オブジェクト全体が不変であることに注意してください。f.bar事後に変更することもできません。

>>> f.bar = 43
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: can't set attribute
于 2013-10-26T14:14:27.933 に答える
3

__setattr__メソッドをオーバーライドします。

>>> class Foo(object):
    def __setattr__(self, var, val):
        raise TypeError("You're not allowed to do this")
...     
>>> Foo().x = 1
Traceback (most recent call last):
  File "<ipython-input-31-be77d2b3299a>", line 1, in <module>
    Foo().x = 1
  File "<ipython-input-30-cb58a6713335>", line 3, in __setattr__
    raise TypeError("You're not allowed to do this")
TypeError: You're not allowed to do this

Fooのサブクラスでも同じエラーが発生します。

>>> class Bar(Foo):
    pass
... 
>>> Bar().x = 1
Traceback (most recent call last):
  File "<ipython-input-35-35cd058c173b>", line 1, in <module>
    Bar().x = 1
  File "<ipython-input-30-cb58a6713335>", line 3, in __setattr__
    raise TypeError("You're not allowed to do this")
TypeError: You're not allowed to do this
于 2013-10-26T14:13:02.133 に答える