0

我想让一个类成员函数表现得像一个函数指针。我需要这种行为来将我自己的类集成到一些现有的代码中。

使用 Boost::function 和 Boost::bind 似乎可以做到这一点,但我似乎无法让它工作。以下代码是我用来测试我的实现的最小示例。main() 程序的最后一行是我想做的。

任何帮助是极大的赞赏。我正在使用 g++ 和 Boost 1.46。

// Includes
#include <boost/shared_ptr.hpp>
#include <boost/function.hpp>
#include <boost/bind.hpp>
#include <stdio.h>
using namespace std;

// Define a pure virtual base class
class Base{
    public:
        virtual double value(double v, double t) = 0;
};

// Define a derived class
class Derived : public Base{
    public:
        double value(double v, double t){
            return v*t;
        }
};

// Main program
int main(){

// A derived class
boost::shared_ptr<Derived> p(new Derived);

// Use class directly
printf("value = %f\n", p->value(100, 1));

// Create a boost::function
boost::function< double (Derived*, double, double) > f;
f = &Derived::value;
printf("f(&A, 100, 2) = %f\n", f(p.get(), 100, 2));

// Use boost::bind
printf("bind f(100,3) = %f\n", boost::bind(&Derived::value, p, _1, _2)(100,3));

// Make a boost::function to the binded operation???
boost::function< double (double, double) > f2;

f2 = boost::bind(&Derived::value, p.get()); // This is wrong

printf("f2(100,4) = %f\n", f2(100,4)); // I want to be able to do this!
}
4

1 回答 1

0

根据文档(请参阅“将绑定与指向成员的指针一起使用”部分),您需要指定该函数具有两个参数:

f2=bind(&Derived::value, p.get(), _1, _2);
f2(100, 4);  // p.get()->value(100, 4)
于 2012-05-16T15:54:00.073 回答