我知道input()
函数是在基类中声明的,并且可以(除非是纯虚函数,否则不必)在派生类中进行完善。但是,我不了解重新定义虚拟函数和重新定义常规函数之间的区别。看下面的示例代码:
virtual
将输出:
class base {
public:
virtual int getAge(){
return 20;
}
int getId(){
return 11111;
}
};
class dri : public base{
public:
int getAge(){
return 30;
}
int getId(){
return 222222;
}
};
int main(){
dri d;
std:: cout << d.getAge() << std::endl;
std:: cout << d.getId() << std::endl;
return 0;
}
在这种情况下,使用30
222222
关键字没有任何区别。这两个功能均被覆盖。那么为什么需要它呢?
答案 0 :(得分:1)
您没有提供类成员函数调用的示例。我猜你写了以下代码:
dri sth;
cout << sth.getAge() << endl;
cout << sth.getId() << endl;
但是,请注意,仅当实例为指针或引用时,才能应用c ++的动态绑定和多态性,这实际上意味着您应该这样做以获得理想的输出:
base *sth = new dri();
cout << sth->getAge() << endl;
cout << sth->getId() << endl;