在 C++ 中将函数传递给 class
Passing function to class in C++
我想在 class 中存储一个函数,然后在成员函数中简单地调用这个函数。我知道这可以使用函数指针,但我想为此使用 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;
}
您几乎做对了,但是忘记了构造函数中的类型和 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
,它更容易阅读(前提是你发明了一个比"myFunctionType"更好的名字)并且更整洁。
我想在 class 中存储一个函数,然后在成员函数中简单地调用这个函数。我知道这可以使用函数指针,但我想为此使用 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;
}
您几乎做对了,但是忘记了构造函数中的类型和 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
,它更容易阅读(前提是你发明了一个比"myFunctionType"更好的名字)并且更整洁。