python中super
时间: 2023-09-09 09:08:31 浏览: 71
在Python中,`super()`是一个内置函数,用于调用父类的方法。在多重继承的情况下,`super()`可以帮助避免钻石继承问题(即多个子类继承同一个父类,导致方法被多次调用)。
`super()`函数的语法如下:
```python
super([type[, object-or-type]])
```
其中,`type`表示当前类,`object-or-type`表示当前类的一个对象。当使用`super()`函数时,Python会自动根据当前类和对象查找父类的方法,并调用父类的方法。
例如,定义一个`Person`类和一个继承自`Person`类的`Student`类:
```python
class Person:
def __init__(self, name, age):
self.name = name
self.age = age
def say_hello(self):
print("Hello, my name is", self.name)
class Student(Person):
def __init__(self, name, age, school):
super().__init__(name, age)
self.school = school
def say_hello(self):
super().say_hello()
print("I study at", self.school)
```
以上代码定义了一个`Person`类和一个继承自`Person`类的`Student`类。`Person`类有一个`name`和一个`age`属性,以及一个`say_hello`方法;`Student`类在此基础上添加了一个`school`属性,并且覆盖了`say_hello`方法。在`Student`类中,使用`super()`函数调用了父类的`say_hello`方法,并在此基础上添加了自己的输出。
可以使用以下代码创建`Person`和`Student`类的对象,并调用`say_hello`方法:
```python
p = Person("John", 30)
p.say_hello()
s = Student("Alice", 20, "MIT")
s.say_hello()
```
运行结果为:
```
Hello, my name is John
Hello, my name is Alice
I study at MIT
```
以上代码创建了一个`Person`类的对象`p`和一个`Student`类的对象`s`,并调用了它们的`say_hello`方法,输出了不同的结果。在`Student`类的`say_hello`方法中,使用`super()`函数调用了父类的`say_hello`方法,并在此基础上添加了自己的输出。
需要注意的是,`super()`函数只能用于调用父类的方法,不能用于访问父类的属性。如果需要访问父类的属性,可以使用`self`关键字来访问。
阅读全文