Python 继承

继承允许我们定义继承另一个类的所有方法和属性的类。
父类是继承的类,也称为基类。
子类是从另一个类继承的类,也称为派生类。


创建父类

任何类都可以是父类,因此语法与创建任何其他类相同:

实例

创建一个名为 Person 的类,其中包含 firstname 和 lastname 属性以及 printname 方法:

  1. class Person:
  2. def __init__(self, fname, lname):
  3. self.firstname = fname
  4. self.lastname = lname
  5. def printname(self):
  6. print(self.firstname, self.lastname)
  7. #Use the Person class to create an object, and then execute the printname method:
  8. x = Person("John", "Doe")
  9. x.printname()

创建子类

要创建从其他类继承功能的类,请在创建子类时将父类作为参数发送:

实例

创建一个名为 Student 的类,它将从 Person 类继承属性和方法:

  1. class Student(Person):
  2. pass

现在,Student 类拥有与 Person 类相同的属性和方法。

实例

使用 Student 类创建一个对象,然后执行 printname 方法:

  1. x = Student("Mike", "Olsen")
  2. x.printname()

添加 init() 函数

到目前为止,我们已经创建了一个子类,它继承了父类的属性和方法。
我们想要把 init() 函数添加到子类(而不是 pass 关键字)。

注释: 每次使用类创建新对象时,都会自动调用 init() 函数。

实例

为 Student 类添加 init() 函数:

  1. class Student(Person):
  2. def __init__(self, fname, lname):
  3. #add properties etc.

当您添加 init() 函数时,子类将不再继承父的 init() 函数。
注释: 子的 init() 函数会覆盖对父的 init() 函数的继承。
如需保持父的 init() 函数的继承,请添加对父的 init() 函数的调用:

实例

  1. class Student(Person):
  2. def __init__(self, fname, lname):
  3. Person.__init__(self, fname, lname)