Why does it print 0 and not 24? Also, why does it bring up an error if I dont explicitly define num in the System class even though im doing it in the constructor?
from abc import ABC, abstractmethod
class System(ABC):
num = 0
def __init__(self, input):
self.num = input
return
@abstractmethod
def getNum(self):
pass
class FirstSystem(System):
def __init__(self, input):
super().__init__(input)
return
def getNum(self):
return super().num
foo = FirstSystem(24)
print(foo.getNum())
2 Answers 2
Try changing
def getNum(self):
return super().num
to
def getNum(self):
return self.num
and see if that helps :)
answered Jan 27, 2022 at 16:38
Captain Trojan
2,9521 gold badge16 silver badges30 bronze badges
Sign up to request clarification or add additional context in comments.
1 Comment
chepner
This works because
super() returns a proxy for the class, not the instance, so you are explicitly asking for the value of the class attribute shadowed by the instance attribute.super() explicitly calls the parent class and is used to access methods and objects that have been overwritten; ie, the exact opposite of what you want! As Capt. Trojan noted, self.num will get you the subclass version of num as you expect.
Here is the classic explaination of when and when not to use super.
1 Comment
chepner
There is no "subclass" version of
num. It's an instance attribute, associated with the instance itself, without regard to which class's method might have created it (if, indeed, any method did).lang-py
num) in the first place.inputis a bad variable name since it shadows the builtininputfunction. You can see in the syntax highlighting thatinputis highlighted as a builtin (orange). I'd recommend using the attribute name instead,num.System.__init__.