写一份典型的c++多态操作
时间: 2023-07-19 19:39:26 浏览: 115
经典c/c++多态实例
5星 · 资源好评率100%
好的,下面是一份典型的C++多态操作的示例代码:
```c++
#include <iostream>
using namespace std;
class Animal {
public:
virtual void makeSound() {
cout << "This is an animal sound." << endl;
}
};
class Dog : public Animal {
public:
void makeSound() {
cout << "Woof! Woof!" << endl;
}
};
class Cat : public Animal {
public:
void makeSound() {
cout << "Meow! Meow!" << endl;
}
};
int main() {
Animal* animalPtr;
Dog dog;
Cat cat;
animalPtr = &dog;
animalPtr->makeSound();
animalPtr = &cat;
animalPtr->makeSound();
return 0;
}
```
在上面的代码中,我们定义了一个基类Animal和两个派生类Dog和Cat。其中,基类Animal中的方法makeSound标记为虚函数,这样在派生类中重新定义该方法时,就可以实现多态。在主函数中,我们定义了一个指向Animal类对象的指针animalPtr,并将它分别指向Dog对象和Cat对象,然后调用它们各自的makeSound方法。由于makeSound方法是虚函数,因此在运行时会根据实际指向的对象类型来调用相应的方法,从而实现多态。
阅读全文