c ++将类方法作为参数传递给带有模板的类方法

时间:2016-06-01 12:09:32

标签: c++ templates c++03 member-functions

我正在尝试使用模板将类方法传递给另一个类方法,并且找不到任何关于如何做的答案(没有C ++ 11,提升确定):

我将核心问题简化为:

class Numerical_Integrator : public Generic Integrator{
    template <class T>
    void integrate(void (T::*f)() ){
         // f(); //already without calling  f() i get error
    }
}

class Behavior{
    void toto(){};

    void evolution(){
        Numerical_Integrator my_integrator;
        my_integrator->integrate(this->toto};
}

我得到了错误:

error: no matching function for call to ‘Numerical_Integrator::integrate(<unresolved overloaded function type>)’this->toto);
note:   no known conversion for argument 1 from ‘<unresolved overloaded function type>’ to ‘void (Behavior::*)()’

谢谢。

奖金:争论怎么样?

class Numerical_Integrator{
    template <class T, class Args>
    double integrate(void (T::*f)(), double a, Args arg){
         f(a, arg);
    }
}

class Behavior{
    double toto(double a, Foo foo){ return something to do};

    void evolution(){
     Foo foo;
     Numerical_Integrator my_integrator;
     my_integrator->integrate(this->toto, 5, foo};
}

1 个答案:

答案 0 :(得分:6)

您的问题并不是将类方法作为模板参数的一部分传递。

您的问题实际上是关于正确调用类方法。

以下非模板等效项也不起作用:

class SomeClass {

public:

     void method();
};

class Numerical_Integrator : public Generic Integrator{
    void integrate(void (SomeClass::*f)() ){
         f();
    }
}

类方法不是函数,它本身不能作为函数调用。类方法需要调用类实例,类似于:

class Numerical_Integrator : public Generic Integrator{
    void integrate(SomeClass *instance, void (SomeClass::*f)() ){
         (instance->*f)();
    }
}

您需要修改模板和/或类层次结构的设计,以便首先解决此问题。一旦正确实现了类方法调用,实现模板应该不是问题。