如何指向派生类的成员函数

时间:2014-05-01 15:21:43

标签: c++ class function-pointers

我需要在基类中使用函数指针数组,并将此数组定义为指向子类中的函数,如下所示:

typedef double (_f)(int,int);
class A{
public:
  _f **m_arf;
};

class B:public A{
public:
  double get1(int i, int j) {return i+j};
  double get2(int i, int j) {return i-j};
B(){
     m_arf = new _f*[2];
     m_arf[0] = &get1;
     m_arf[1] = &get2;
   };
};

然后我可以执行以下操作:

{
  A* pA = new B;
  int ires = pA->m_arf[0](1,2); // returns B::get1(1,2)
  int ires1 = pA->m_arf[1](1,2); // returns B::get2(1,2)
}

有可能吗?

1 个答案:

答案 0 :(得分:1)

指针:

typedef double (_f)(int,int);

不能/不能指向成员函数。它只能指向免费功能。所以你要做的事情永远不会像你想要的那样工作。

要声明成员函数指针,语法是不同的:

typedef double (A::*_f)(int,int);

此外,您还必须使用不同语法的指针:您必须引用该类。

_f = &B::get1; // not &get1

但是,现在您还有另一个问题,那就是get1不是A的成员,而是B的成员。为了将指向派生类成员的指针指定给指向基类成员的指针,必须使用static_cast

m_arf[0] = static_cast <A::Fn> (&B::get1);

最后,通过此指针调用的语法也不同。您不能直接通过指针调用 - 您还必须将调用与类的实例相关联。 ->*语法将类实例连接到函数指针:

int ires = (pA->*(pA->m_arf [0])) (1,2);
P,真是一团糟。除非你真的需要,否则最好不要以这种方式使用成员函数指针。无论如何,这是一个如何在这里完成的演示。

class A{
public:
  typedef double (A::*Fn) (int, int);
  Fn *m_arf;
};

class B:public A{
public:
  double get1(int i, int j)  
  {
    return i+j;
  };  
  double get2(int i, int j)  
  {
    return i-j;
  };  
B(){
     m_arf = new Fn[2];
     m_arf[0] = static_cast <A::Fn> (&B::get1);
     m_arf[1] = static_cast <A::Fn> (&B::get2);
   };  
};

int main()
{
  A* pA = new B;
  int ires = (pA->*(pA->m_arf [0])) (1,2); // returns B::get1(1,2)
  int ires1 = (pA->*(pA->m_arf[1])) (1,2); // returns B::get2(1,2)
}