Python/python inheritance
<languages />
Python继承
Python继承
继承允许我们定义一个类,该类继承另一个类的所有方法和属性。
家长班 是从其继承的类,也称为基类。
儿童班 是从另一个类(也称为派生类)继承的类。
创建一个家长班
任何类都可以是父类,因此语法与创建任何其他类相同:
例
创建一个名为的类
Person
,与
firstname
and
lastname
属性和
printname
方法:
class Person: def __init__(self, fname, lname): self.firstname = fname self.lastname = lname def printname(self): print(self.firstname, self.lastname) #Use the Person class to create an object, and then execute the printname method: x = Person("John", "Doe") x.printname()
创建一个子班
要创建一个从另一个类继承功能的类,请在创建子类时将父类作为参数发送:
例
创建一个名为的类
Student
,它将从中继承属性和方法
Person
类:
class Student(Person): pass
注意:
使用
pass
当您不想向该类添加任何其他属性或方法时,使用关键字。
现在,Student类具有与Person类相同的属性和方法。
例
使用
Student
类以创建对象,然后执行
printname
方法:
x = Student("Mike", "Olsen") x.printname()
添加__init __()函数
到目前为止,我们已经创建了一个子类,该子类从其父类继承属性和方法。
我们要添加
__init__()
子类的功能(而不是
pass
关键词)。
注意:
The
__init__()
每次使用该类创建新对象时,都会自动调用该函数。
例
添加
__init__()
功能
Student
类:
class Student(Person): def __init__(self, fname, lname): #add properties etc.
当您添加
__init__()
函数,子类将不再继承父类
__init__()
功能。
注意:
孩子的
__init__()
功能
覆写
父母的遗产
__init__()
功能。
保持父母的继承权
__init__()
函数,将呼叫添加到父母的
__init__()
功能:
例
class Student(Person): def __init__(self, fname, lname): Person.__init__(self, fname, lname)
现在,我们已经成功添加了__init __()函数,并保留了父类的继承,并且我们准备在
__init__()
功能。
使用super()函数
Python也有一个
super()
使子类继承其父类的所有方法和属性的函数:
例
class Student(Person): def __init__(self, fname, lname): super().__init__(fname, lname)
通过使用
super()
函数,您不必使用父元素的名称,它会自动从其父元素继承方法和属性。
添加属性
例
添加一个名为
graduationyear
到了
Student
类:
class Student(Person): def __init__(self, fname, lname): super().__init__(fname, lname) self.graduationyear = 2019
在下面的示例中,年份
2019
应该是一个变量,并传递给
Student
创建学生对象时上课。为此,在__init __()函数中添加另一个参数:
例
添加一个
year
参数,并在创建对象时传递正确的年份:
class Student(Person): def __init__(self, fname, lname, year): super().__init__(fname, lname) self.graduationyear = year x = Student("Mike", "Olsen", 2019)
添加方法
例
添加一个名为
welcome
到了
Student
类:
class Student(Person): def __init__(self, fname, lname, year): super().__init__(fname, lname) self.graduationyear = year def welcome(self): print("Welcome", self.firstname, self.lastname, "to the class of", self.graduationyear)
如果在子类中添加与父类中的函数同名的方法,则父方法的继承将被覆盖。