非成员函数调用抽象基类方法
时间: 2023-06-21 22:07:47 浏览: 117
非成员函数可以调用抽象基类中定义的纯虚函数,只需要通过指向派生类对象的指针或引用来调用。假设有一个抽象基类Animal,它有一个纯虚函数makeSound(),而派生类Dog和Cat都实现了这个函数。如果我们想要在一个非成员函数中调用这个函数,可以这样做:
```cpp
#include <iostream>
using namespace std;
class Animal {
public:
virtual void makeSound() = 0;
};
class Dog : public Animal {
public:
void makeSound() {
cout << "Woof!" << endl;
}
};
class Cat : public Animal {
public:
void makeSound() {
cout << "Meow!" << endl;
}
};
void makeAnimalSound(Animal& animal) {
animal.makeSound();
}
int main() {
Dog myDog;
Cat myCat;
makeAnimalSound(myDog); // 输出 "Woof!"
makeAnimalSound(myCat); // 输出 "Meow!"
return 0;
}
```
在上面的代码中,makeAnimalSound() 是一个非成员函数,它接受一个Animal类型的引用参数。我们可以将派生类Dog和Cat的对象传递给这个函数,它会根据对象的实际类型来调用相应的makeSound()函数。注意,我们必须用派生类对象来初始化Animal类型的引用参数,因为Animal是抽象基类,不能创建对象。
阅读全文