• 主页

  • 投资

  • IT

    🔥
  • 设计

  • 销售

关闭

返回栏目

关闭

返回python栏目

16 - 语法 - class BB(AA): - 类 - 有继承

作者:

贺及楼

成为作者

更新日期:2024-10-27 12:08:12

类 - 有继承

有继承的类 + 有重写/修改/替换类

Python中的继承允许新类(子类)继承现有类(父类)的属性和方法,实现代码重用和扩展。子类可以修改或扩展父类的行为,支持多态,使得同一个方法可以有不同实现,增强了代码的灵活性和可维护性。

  1. class Car():
  2. """汽车"""
  3. def __init__(self, energy, distance):
  4. self.energy = energy
  5. self.distance = distance
  6. self.windows = "close"
  7. def go(self): # 加油门
  8. self.energy = self.energy - 1
  9. self.distance = self.distance + 1
  10. return
  11. def add(self): # 加油
  12. self.energy = self.energy + 1
  13. def open_windows(self): # 车窗
  14. self.windows = "open"
  15. class ElectricCar(Car): # 必须在括号内指定父类的名称
  16. """电动汽车"""
  17. def __init__(self, energy, distance, battery_size): # 接受创建Car实例所需的信息
  18. """初始化父类的属性"""
  19. super().__init__(energy, distance) # 帮助Python将父类和子类关联起来
  20. self.battery_size = battery_size # 给子类定义新属性
  21. def go(self): # 加电门
  22. self.battery_size = self.battery_size - 1
  23. self.distance = self.distance + 1
  24. return
  25. def add(self): # 充电
  26. self.battery_size = self.battery_size + 1

open_windows()不变
go()、add() 被重新写
要让派生类调用基类的__init__()方法进行必要的初始化,需要在派生类使用super函数调用基类的__init__()方法

super()调用父类(超类)的一个方法

不需要重新写方法,可以直接调用方法

  1. super().add(x)