📜  Python:调用父类方法(1)

📅  最后修改于: 2023-12-03 15:04:42.693000             🧑  作者: Mango

Python: 调用父类方法

在Python中,当子类需要继承父类的方法时,我们需要使用super()函数来调用父类的方法,并且还可以传递参数。

super()函数

super()函数是一个特殊函数,用于调用父类的指定方法。可以使用以下方式调用父类的方法:

super().method_name(args)

此处,method_name为父类方法的名称,args为传递给父类方法的参数。

在多重继承的情况下,如果想要调用多个父类的方法,可以这样写:

class ChildClass(Parent1, Parent2, ...):
    def some_method(self):
        super(Parent1, self).some_method()
        super(Parent2, self).some_method()
        ...

这里的super(Parent, self)指的是调用子类的直接父类Parent的方法。

示例

以下示例展示了如何使用super()函数调用父类方法。

class Parent:
    def __init__(self, name):
        self.name = name
        
    def say_hello(self):
        print(f"Hello, my name is {self.name}.")


class Child(Parent):
    def __init__(self, name, age):
        super().__init__(name)
        self.age = age
        
    def say_hello(self):
        super().say_hello()
        print(f"I am {self.age} years old.")


child = Child("Tom", 10)
child.say_hello()

输出结果为:

Hello, my name is Tom.
I am 10 years old.

在此示例中,子类Child重写了父类方法say_hello(),并且调用了父类的say_hello()方法。调用父类方法时,使用了super()函数。这样就可以在子类中使用父类方法,而无需重写父类的方法。

在子类构造函数中,使用了super()函数调用了父类的构造函数,并且传递了name参数。这样就可以初始化子类时,调用父类的构造函数,从而完成了继承的过程。