Here is the code:
class Animal:
def __init__(self, animal_type):
self.animal_type = animal_type
class Cat(Animal):
def __init__(self, animal_type, favorite_food):
super().__init__(animal_type)
self.favorite_food = favorite_food
def cat_print(self):
print("{}'s favorite food is {}.".format(self.animal_type, self.favorite_food))
def __getattribute__(self, item):
print('__getattribute__() be called. Item is: ', item)
def __getattr__(self, item):
print('__getattr__() be called. Item is: ', item)
def __setattr__(self, key, value):
print('__setattr__() be called. key and Value is: ', key, value)
cat = Cat('cat', 'fish')
print(cat.animal_type)
print(cat.favorite_food)
When I print the cat.animal_type
, it print None. I guess that because of I rewrite method: __setattr__()
and __getattribute__()
, The value can't pass into the attribute.
I want to know what is the process of assigning attribute and get the attribute in a class in python?
Thanks.
The reason all of your attributes are
None
, even non-existent attributes likefavorite
, is this:You're overriding the normal
object.__getattribute__
code with a method that always returnsNone
. If you want it to print something and also do the normal thing, you have to do it explicitly, usingsuper
—the same way you already did in your initializer:If you fix that, lookup for attributes that exist will now work, but non-existent attributes are still going to return
None
instead of raising anAttributeError
. Why?The normal
object.__getattribute__
(that you're now properly calling) looks for an attribute in the object's__dict__
, and in its class and all of its class's ancestors (with a bit of extra complexity related to descriptors that I'm going to ignore here), and then, if nothing is found (or something is found but fetching it raisesAttributeError
), it calls the class's__getattr__
. And you provide a__getattr__
that returnsNone
.Here, you again want to delegate to the superclasses:
Except that there is no default implementation of
__getattr__
. So, you'll get anAttributeError
, but it'll be about asuper
not having a__getattr__
, not about aCat
not having afavorite
.If you know one of your base classes wants to provide a
__getattr__
for you to delegate to,super
to it. But if you know nobody does:And if you have no idea (because, say, your class was designed to be used as a mixin with someone else's class hierarchy), you probably want something like this:
If you fix both of those, now you'll get an
AttributeError
on the attributes you did set. Why?Same problem. Here, you might want to set the attribute explicitly, like this:
… or you might just want to delegate again: