super(超类)其实有两个作用
- 继承父类
- 父类类名修改之后,不需要在所有子类中进行类名修改
创建父类
>>> class A(object):
... def __init__(self):
... self.hungry = True
... def eat(self):
... if self.hungry:
... print('i\'m hungry!!!')
... else:
... print('i\'m not hungry.')
...
继承父类
>>> class B(A): #括号中的A就是父类A,被B继承
... def __init__(self): #此魔术方法覆盖了父类的构造方法__init__,即此类中的所有self只指自己(子类)
... self.sound = 'love me.mp3'
... def sing(self):
... print(self.sound)
>>> s = B()
>>> s.sing()
love me.mp3
>>> s.eat() #B类没有继承到A类的所有方法及属性
Traceback (most recent call last):
File "<input>", line 1, in <module>
File "<input>", line 5, in eat
>>> class C(A):
... def __init__(self):
... super(C,self).__init__() #这种代码就有一个问题,如果A类的这个A名称被修改,所有有A的地方都需要修改
#等价代码是A.__init__(self)
... self.sound = 'love me.mp3'
... def sing(self):
... print(self.sound)
...
>>> ss = C()
>>> ss
<C object at 0x0000000004907E10>
>>> ss.sing()
love me.mp3
>>> ss.eat() #此时就继承到了A类中的所有属性及方法
i'm hungry!!!