定义基类animal,子类dog和子类pig,编程实现 调用类dog的run和类pig的run的不同,测试类的 多态性
时间: 2023-12-14 07:38:04 浏览: 134
以下是Python的代码实现:
```python
class Animal:
def run(self):
pass
class Dog(Animal):
def run(self):
print("Dog is running.")
class Pig(Animal):
def run(self):
print("Pig is running.")
def test_animal(animal):
animal.run()
dog = Dog()
pig = Pig()
test_animal(dog) # 输出:Dog is running.
test_animal(pig) # 输出:Pig is running.
```
在这个例子中,我们定义了一个基类 `Animal` 和两个子类 `Dog` 和 `Pig`。基类有一个 `run` 方法,但它是空的,因为每个子类都会重写这个方法以实现自己的行为。
我们还定义了一个 `test_animal` 函数,它接受一个 `Animal` 类型的参数,并调用它的 `run` 方法。这个函数可以测试多态性,因为不管传入的是 `Dog` 实例还是 `Pig` 实例,它都可以调用对应的 `run` 方法。
在最后的测试中,我们创建了 `Dog` 和 `Pig` 的实例,并分别传递给 `test_animal` 函数进行测试。输出结果表明,它们分别调用了自己的 `run` 方法,证明了多态性的存在。
相关问题
用Python定义基类animal,子类dog和子类pig,编程实现调用类dog的run和类pig的run的不同,测试类的多态性
可以定义一个Animal基类,其中包括一个run方法。然后定义Dog和Pig两个子类,它们都继承自Animal基类,并且分别定义自己的run方法,用于模拟狗和猪的奔跑方式。最后可以创建Dog和Pig的实例,调用它们的run方法进行测试。
示例代码如下:
```python
class Animal:
def run(self):
print("Animal is running...")
class Dog(Animal):
def run(self):
print("Dog is running on four legs...")
class Pig(Animal):
def run(self):
print("Pig is running on two legs...")
# 创建Dog和Pig的实例
dog = Dog()
pig = Pig()
# 调用它们各自的run方法
dog.run()
pig.run()
```
输出结果为:
```
Dog is running on four legs...
Pig is running on two legs...
```
可以看到,调用不同的子类实例的run方法可以得到不同的输出。这就是多态性的体现,即不同的子类实例可以根据自己的特点对继承自基类的方法进行不同的实现。
Python,定义一个基类animal和他的子类dog,cat,cow基类animal中定义一个sound方法,该方法在子类中进行了重写,通过make sound函数我们接受一个animal类型的参数并调用sound方法,实现多态
在Python中,我们可以创建一个名为`Animal`的基类(也称为父类),然后定义它的子类如`Dog`, `Cat`, 和 `Cow`。为了演示多态,基类通常会有一个抽象的行为或者方法,这里我们可以定义一个`sound()`方法。这个方法在每个子类中都会有不同的实现,展示出不同的叫声。
```python
# 定义基类 Animal
class Animal:
def sound(self):
print("This is an animal.")
# 定义子类 Dog,重写 sound 方法
class Dog(Animal):
def sound(self):
print("Woof!")
# 定义子类 Cat,同样重写 sound 方法
class Cat(Animal):
def sound(self):
print("Meow!")
# 定义子类 Cow,也有自己的 sound 方法
class Cow(Animal):
def sound(self):
print("Moo!")
# 利用 make_sound 函数实现多态
def make_sound(animal):
animal.sound()
# 创建对象并调用 make_sound
my_dog = Dog()
my_cat = Cat()
my_cow = Cow()
make_sound(my_dog) # 输出 "Woof!"
make_sound(my_cat) # 输出 "Meow!"
make_sound(my_cow)
阅读全文