在C ++中将函数传递给类

时间:2017-01-31 14:11:51

标签: c++ function function-pointers std-function

我想在一个类中存储一个函数,只需在一个成员函数中调用该函数。我知道这可以使用函数指针,但我想使用std::function

以下是一些无效的代码,但应该展示我想要做的事情:

double foo(double a, double b){
    return a + b;
}


class Test{
 private:
        std::function<double(double,double)> foo_ ;
 public:
        Test(foo);
        void setFoo(foo) {foo_ = foo;}
        double callFoo(double a, double b){return foo_(a,b);}
};


int main(int argc, char const *argv[]) {
    Test bar = Test(foo);
    bar.callFoo(2,3);
    return 0;
}

1 个答案:

答案 0 :(得分:5)

你几乎做得对,但忘记了构造函数中的类型和setFoo

#include <functional>
#include <iostream>

double foo(double a, double b) {
    return a + b;
}

class Test {
private:
    std::function<double(double, double)> foo_;
public:
    // note the argument type is std::function<>
    Test(const std::function<double(double, double)> & foo) : foo_(foo) {}
    // note the argument type is std::function<> 
    void setFoo(const std::function<double(double, double)>& foo) { foo_ = foo; }
    double callFoo(double a, double b) { return foo_(a, b); }
};

int main(int argc, char const *argv[]) {
    Test bar = Test(foo);
    bar.callFoo(2, 3);
    return 0;
}

顺便说一句,使用typedef避免冗长复杂的名称通常是有益的,例如,如果你这样做

typedef std::function<double(double,double)> myFunctionType

你可以在任何地方使用myFunctionType,这更容易阅读(前提是你发明了一个比#34; myFunctionType&#34更好的名字;)并且更加整洁。