本文主要是介绍Python __init__() 方法和super()函数,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
文章目录
- `__init__() `方法
- `super() `函数
__init__()
方法
在Python中,__init__
函数是一个特殊的方法,通常称为初始化方法或构造器。它在创建类的新实例时自动调用,用于初始化对象的状态。
class Car:def __init__(self, manufacture, model, year):self.make = manufacture # 制造商self.model = model # 型号self.year = year # 年份# 创建Car类的实例
my_car = Car("Toyota", "Corolla", 2020)print(my_car.manufacture) # 输出: Toyota
print(my_car.model) # 输出: Corolla
print(my_car.year) # 输出: 2020
super()
函数
super() 函数是用于调用父类(超类)的一个方法,super() 是用来解决多重继承问题的。当你在派生类中重写方法时,你可能想要调用父类中的相同方法,这时就可以使用 super()
来实现。
使用 super()
初始化父类
class Parent:def __init__(self, name):print("Parent's name", name)class Child(Parent):def __init__(self, parent_name, child_name):super().__init__(parent_name) # 调用父类的__init__方法print("Child's name", child_name)# 创建Child类的实例
child_instance = Child("Alice", "Amy")
使用super()
调用父类方法
class Vehicle:def start(self):print("Vehicle has started")class Car(Vehicle):def start(self):print("Car engine is on")super().start() # 调用 Vehicle 类的 start 方法my_car = Car()
car.start()
# 输出:
# Car engine is on
# Vehicle has started
多继承中的super()
class Animal:def make_sound(self):print("Animal makes a sound")class Dog(Animal):def make_sound(self):super().make_sound() # 调用 Animal 类的 make_sound 方法print("Dog barks")class SuperDog(Dog):def make_sound(self):super().make_sound() # 调用 Dog 类的 make_sound 方法print("SuperDog howls")super_dog = SuperDog()
super_dog.make_sound()
# 输出:
# Animal makes a sound
# Dog barks
# SuperDog howls
reference
https://www.runoob.com/python/python-func-super.html
https://blog.csdn.net/baidu_22713341/article/details/138959146
这篇关于Python __init__() 方法和super()函数的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!