python中类的继承
在Python中,类可以从一个或多个父类继承属性和方法。继承的基本语法是在子类后面跟上冒号和父类的名称。如果子类继承多个父类,可以用逗号分隔它们。
下面是一个简单的类继承的例子:
class Parent:
def my_method(self):
print("Hello from the Parent class!")
class Child(Parent):
pass
# 使用子类
c = Child()
c.my_method() # 输出: Hello from the Parent class!
在这个例子中,Child
类没有定义 my_method
方法,但是它从 Parent
类继承了这个方法。当你创建 Child
类的实例并调用 my_method
,方法的定义会被找到并执行在 Parent
类中。
如果子类和父类都有同名的方法或属性,子类的版本会被优先使用,这称为方法重写(method overriding)。
class Parent:
def my_method(self):
print("Hello from the Parent class!")
class Child(Parent):
def my_method(self):
print("Hello from the Child class!")
super().my_method() # 调用父类的方法
c = Child()
c.my_method() # 输出: Hello from the Child class! Hello from the Parent class!
在这个例子中,Child
类重写了 my_method
方法,并在其实现中调用了 super().my_method()
,这会调用 Parent
类的 my_method
方法。
评论已关闭