由于python没有常量的概念,如果更新’常量’属性,是否可以引发异常?怎么样?
class MyClass():
CLASS_CONSTANT = 'This is a constant'
var = 'This is a not a constant, can be updated'
#this should raise an exception
MyClass.CLASS_CONSTANT = 'No, this cannot be updated, will raise an exception'
#this should not raise an exception
MyClass.var = 'updating this is fine'
#this also should raise an exception
MyClass().CLASS_CONSTANT = 'No, this cannot be updated, will raise an exception'
#this should not raise an exception
MyClass().var = 'updating this is fine'
任何将CLASS_CONSTANT更改为类属性或实例属性的尝试都应引发异常.
将var更改为类属性或实例属性不应引发异常.
解决方法:
在每个类中自定义__setattr__(例如,在@ ainab的答案所指向的旧配方和其他答案中举例说明),仅用于停止分配INSTANCE属性而不是CLASS属性.因此,现有的答案都不能满足您的要求.
如果您要求的IS实际上正是您想要的,您可以使用一些自定义元类和描述符,例如:
class const(object):
def __init__(self, val): self.val = val
def __get__(self, *_): return self.val
def __set__(self, *_): raise TypeError("Can't reset const!")
class mcl(type):
def __init__(cls, *a, **k):
mkl = cls.__class__
class spec(mkl): pass
for n, v in vars(cls).items():
if isinstance(v, const):
setattr(spec, n, v)
spec.__name__ = mkl.__name__
cls.__class__ = spec
class with_const:
__metaclass__ = mcl
class foo(with_const):
CLASS_CONSTANT = const('this is a constant')
print foo().CLASS_CONSTANT
print foo.CLASS_CONSTANT
foo.CLASS_CONSTANT = 'Oops!'
print foo.CLASS_CONSTANT
这是非常高级的东西,所以你可能更喜欢其他答案中建议的更简单的__setattr__方法,尽管它不符合你所说的要求(即你可能合理地选择削弱你的要求以获得简单性;-).但是这里的技术可能仍然很有趣:自定义描述符类型const是另一种方式(恕我直言,比在每个需要一些常量并且使所有属性常量而不是挑选和选择……的类中重写__setattr__更好)来阻止赋值到实例属性;其余的代码是关于一个自定义元类创建自己独特的每类子元类,以便充分利用所述自定义描述符并实现您特别要求的确切功能.