When I execute this code:
JavaScript
x
13
13
1
class cls :
2
A=1
3
def __init__(self):
4
self.a=2
5
6
obj=cls()
7
8
print(hasattr(cls,'A'))
9
print(hasattr(cls,'a'))
10
11
print(hasattr(obj,'A'))
12
print(hasattr(obj,'a'))
13
I get this output:
JavaScript
1
5
1
True
2
False
3
True
4
True
5
Everything is clear to me except for the second line. Why do I get False
when I execute the hasattr
function on the class while I got True
when using it with the object for the same attribute?
Advertisement
Answer
Be careful cls
is typically used for classmethod
s for example like this:
JavaScript
1
9
1
class Person:
2
def __init__(self, name, age):
3
self.name = name
4
self.age = age
5
6
@classmethod
7
def fromBirthYear(cls, name, birthYear):
8
return cls(name, date.today().year - birthYear)
9
So it is better to not use it for your own class names to avoid confusion.
Comming to your question.
In your first block you use a reference to the class itself. So here only static variables are visible as __init__
has not been called.
JavaScript
1
5
1
>>> print(hasattr(cls1,'A'))
2
True
3
>>> print(hasattr(cls1,'a'))
4
False
5
In the second block you use an instance of the class. Here, __init__()
was executed and therefore obj.a
exists.
JavaScript
1
6
1
>>> obj=cls1()
2
>>> print(hasattr(obj,'A'))
3
True
4
>>> print(hasattr(obj,'a'))
5
True
6