我试图弄清楚当派生类将虚函数声明为私有时会发生什么。以下是我写的程序
#include <iostream>
using namespace std;
class A
{
public:
virtual void func() {
cout<<"A::func called"<<endl;
}
private:
};
class B:public A
{
public:
B()
{
cout<<"B constructor called"<<endl;
}
private:
void func() {
cout<<"B::func called"<<endl;
}
};
int main()
{
A *a = new B();
a->func();
return 0;
}
令人惊讶的是(对我来说)输出是:
B constructor called
B::func called
这是否违反了该功能的私有访问设置。这是预期的行为吗?这是标准的解决方法还是漏洞?通过 VTABLE 解析函数调用时是否绕过访问级别?
对此行为的任何见解都会非常有帮助。
此外,还提到私有覆盖虚拟成员将阻止其他类继承它。即使这样也有问题。修改上述程序以包括:
class C: public B
{
public:
void func() {
cout<<"C::func called"<<endl;
}
};
和主要测试程序:
int main()
{
A *a = new C();
a->func();
return 0;
}
输出是:
C::func called