2

我有一个简单的类,如下所述。

typedef mytype int;
typedef mytype2 float;

class A {
     .
     .
     void run (mytype t) { .... do something with t ..... }
     .
     .
}

我有另一个类,我在其中创建了一个模板函数(使其独立于 A 类),它应该将函数指针与其参数一起指向(即 A 类方法运行)。

class B {
     .
     template< // how it should be defined >
             void myfunction ( // how parameters will be passed ) { }

驱动程序应该是这样的

      A a
      B b
      C c
      b.myfunction(&A::run, mytype);     // Or how it should be called
      b.myfunction(&B::run, mytype2);    // - do -

想法/代码/原因?

问候, Farrukh Arshad。

4

3 回答 3

3
class B {
    template <typename T>
    void myfunction(void (T::*func)(mytype), mytype val) {
        (some_instance_of_T.*func)(val); // or whatever implementation you want
    }
};

参数func定义为指向非静态成员函数的指针T,获取mytype和返回void

你需要some_instance_of_T从某个地方得到。A您想myfunction调用哪个实例func?如果它是调用者的 object a,那么要么myfunction需要另一个参数来提供a,要么bind像 Alex 所说的那样使用,并定义:

class B {
    template <typename Functor>
    void myfunction(Functor f, mytype val) {
        f(val); // or whatever implementation you want
    }
};

或者如果你想限制用户传入的类型:

class B {
    void myfunction(std::function<void(mytype)> f, mytype val) {
        f(val); // or whatever implementation you want
    }
};
于 2013-01-18T11:26:42.220 回答
2

使用std::bind

using namespace std::placeholders;
b.myfunction(std::bind(&A::run, a, _1), mytype);

定义 B 如下

class B {
     .
     template<typename Callable, typename Arg>
             void myfunction (Callable fn, Arg a) {fn(a); }
于 2013-01-18T11:20:30.817 回答
1

我不确定我是否很好地理解了您的问题,但您可能想尝试使用std::functionand std::bind,例如:

#include <functional>
#include <iostream>

struct A
{
    void run(int n)
    {
        std::cout << "A::run(" << n << ")" << std::endl;
    }
};

struct B
{
    typedef std::function< void( int ) > function_type;

    void driver(function_type f, int value)
    {
        std::cout << "B::driver() is calling:" << std::endl;
        f( value );
    }
};


int main()
{
    A a;
    B b;
    b.driver( 
        std::bind<void>(&A::run, &a, std::placeholders::_1), 
        10
    );
}

输出:

B::driver() 正在调用:

答::运行(10)

于 2013-01-18T11:30:17.847 回答