#include<iostream>
#include<conio.h>
using namespace std;
class Base;
typedef void (Base::*function)();
class Base
{
public:
function f;
Base()
{
cout<<"Base Class constructor"<<endl;
}
virtual void g()=0;
virtual void h()=0;
};
class Der:public Base
{
public:
Der():Base()
{
cout<<"Derived Class Constructor"<<endl;
f=(function)(&Der::g);
}
void g()
{
cout<<endl;
cout<<"Function g in Derived class"<<endl;
}
void h()
{
cout<<"Function h in Derived class"<<endl;
}
};
class Handler
{
Base *b;
public:
Handler(Base *base):b(base)
{
}
void CallFunction()
{
cout<<"CallFunction in Handler"<<endl;
(b->*f)();
}
};
int main()
{
Base *b =new Der();
Handler h(b);
h.CallFunction();
getch();
}
尝试使用基类中声明的函数指针调用派生类中的成员函数时出错。函数指针声明为public,实际上由另一个类Handler使用。我在这段代码中使用了不安全的类型转换。 (函数)(&安培;明镜::克)。有什么方法可以避免吗?
答案 0 :(得分:2)
f
似乎不在Handler::CallFunction
范围内。我猜你打算使用b->f
作为b
来调用this
,因为它(b->*(b->f))()
。当我进行此更改时,您的代码会编译并打印出一些合理的内容。