继承是一种创建新类的方式,新建的类可称为子类或派生类,父类又可称为基类或超类,子类会遗传父类的属性。
格式
class 子类(父类): pass
特点
示例:
class People: def __init__(self, name, age): self.__name = name self.__age = age def run(self): print('{}正在跑步'.format(self.__name)) class Student(People): def __init__(self, name, age, classroom): super().__init__(name, age) self.__classroom = classmethod s = Student('小明', 15, '高一2班') s.run()
优点:子类可以同时遗传多个父类的属性,最大限度地重用代码
缺点:
如果多继承是菱形继承,经典类与新式类的属性或者方法查找顺序不一样:
示例:继承关系[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-hCMNKzxk-1640602466859)(I:\study\python\oob\oob-multi-inherit.drawio.png)]
class A: def test(self): print('from A') class B(A): def test(self): print('from B') class C(A): def test(self): print('from C') class D(B, C): pass d = D() d.test()
在python中没有方法重载,只有重写(覆盖),即子类方法和父类同名的方法。
作用
特点:
场景
对象所属的类之间没有继承关系
class Duck(object): # 鸭子类 def fly(self): print("鸭子沿着地面飞起来了") class Swan(object): # 天鹅类 def fly(self): print("天鹅在空中翱翔") class Plane(object): # 飞机类 def fly(self): print("飞机隆隆地起飞了") def fly(obj): # 实现飞的功能函数 obj.fly() duck = Duck() fly(duck) swan = Swan() fly(swan) plane = Plane() fly(plane) ===运行结果:=================================================================================== 鸭子沿着地面飞起来了 天鹅在空中翱翔 飞机隆隆地起飞了
对象所属的类之间有继承关系(应用更广)
class gradapa(object): def __init__(self,money): self.money = money def p(self): print("this is gradapa") class father(gradapa): def __init__(self,money,job): super().__init__(money) self.job = job def p(self): print("this is father,我重写了父类的方法") class mother(gradapa): def __init__(self, money, job): super().__init__(money) self.job = job def p(self): print("this is mother,我重写了父类的方法") return 100 #定义一个函数,函数调用类中的p()方法 def fc(obj): obj.p() gradapa1 = gradapa(3000) father1 = father(2000,"工人") mother1 = mother(1000,"老师") fc(gradapa1) #这里的多态性体现是向同一个函数,传递不同参数后,可以实现不同功能. fc(father1) print(fc(mother1)) ===运行结果:=================================================================================== this is gradapa this is father,我重写了父类的方法 this is mother,我重写了父类的方法 100
参考文章:
参考视频:https://www.bilibili.com/video/BV1R7411F7JV 239~247
源代码仓库:https://gitee.com/gaogzhen/python-study