Suppose I have the following class inheriting from classes A
and B
:
JavaScript
x
10
10
1
class A:
2
def __init__(self):
3
self.x = 2
4
class B:
5
def __init__(self,u):
6
self.y = u + 2
7
class C(A,B):
8
def __init__(self):
9
#self.y should be 4 here
10
How do I initialize B only after initializing A? Using super(C,self).__init__()
doesn’t let me use attributes of A into B.
Advertisement
Answer
You don’t HAVE to use super.
JavaScript
1
11
11
1
class A:
2
def __init__(self):
3
self.x = 2
4
class B:
5
def __init__(self,u):
6
self.y = u + 2
7
class C(A,B):
8
def __init__(self):
9
A.__init__(self)
10
B.__init__(self, self.x)
11
Now, that does mean some pretty tight coupling, in that C
has to be way too aware of what A.__init__
does.