python类继承另一个类
时间: 2023-07-04 21:13:11 浏览: 102
可以使用以下语法来让一个类继承另一个类:
```python
class ChildClass(ParentClass):
```
其中,`ChildClass` 是子类,`ParentClass` 是父类。子类会继承父类的所有属性和方法。子类也可以重写父类的方法或添加新的属性和方法。
例如,下面的代码展示了一个 `ChildClass` 继承 `ParentClass` 的例子:
```python
class ParentClass:
def __init__(self, name):
self.name = name
def say_hello(self):
print("Hello, my name is", self.name)
class ChildClass(ParentClass):
def __init__(self, name, age):
super().__init__(name)
self.age = age
def say_hello(self):
super().say_hello()
print("I am", self.age, "years old")
child = ChildClass("Alice", 10)
child.say_hello()
```
输出结果为:
```
Hello, my name is Alice
I am 10 years old
```
阅读全文