How Can I Override Class Attribute Access In Python?
Solution 1:
The __getattr__
magic method is called when the attribute doesn't exist on the instance / class / parent classes. You'd use it to raise a special exception for a missing attribute:
classFoo(object):
def__getattr__(self, attr):
# only called when self.attr doesn't existraise MyCustonException(attr)
If you want to customize access to class attributes, you need to define __getattr__
on the metaclass / type:
classBooType(type):
def__getattr__(self, attr):
print attr
return attr
classBoo(object):
__metaclass__ = BooType
boo = Boo()
Boo.asd # prints asd
boo.asd # raises an AttributeError like normal
If you want to customize all attribute access, use the __getattribute__
magic method.
Solution 2:
agf's answer is correct, and in fact the answer I'm about to give is based on it and owes it some credit.
Just to give more detail on the class-attribute side, which is the part that's actually under question here (as opposed to the difference between __getattr__
and __getattribute__
), I'd like to add a reference to an answer I wrote to a different similar question, which goes into more detail on the difference between class and instance attributes, how this is implemented, and why you need to use a metaclass to influence class attribute lookup.
Post a Comment for "How Can I Override Class Attribute Access In Python?"