设计一个表示动物的类:Animal,其中内部有一个color (颜色)属性和call(叫)方法。再设计一个Fish(鱼)类, 该类中有tail(尾巴)和color属性,以及一个call(叫) 方法。 提示:让Fish类继承自Animal类,重写init和call方法。
时间: 2023-11-22 09:54:03 浏览: 160
java类的设计举例-animal
下面是Python的示例代码:
```python
class Animal:
def __init__(self, color):
self.color = color
def call(self):
print("This animal makes a sound.")
class Fish(Animal):
def __init__(self, color, tail):
super().__init__(color)
self.tail = tail
def call(self):
print("This fish makes a bubbling sound.")
# 测试代码
animal = Animal("brown")
print(animal.color)
animal.call()
fish = Fish("orange", "pointy")
print(fish.color)
print(fish.tail)
fish.call()
```
这个示例中,Animal类表示动物,有一个color属性和call方法。Fish类继承自Animal类,并添加了一个tail属性和重写的call方法。在Fish类的init方法中,我们使用super()函数来初始化父类的color属性。在Fish类的call方法中,我们输出了一个特定于鱼类的叫声。最后,我们创建了一个Animal对象和一个Fish对象,并测试了它们的属性和方法。
阅读全文