说我有一个C ++函数
int foo(int x, int y){
return x+y ;
}
有没有办法创建此功能的“参数化”版本?
我的意思是从foo()开始我想定义y固定为特定值的函数指针,相当于创建函数foo2(),如下所示:
int foo2(int x){
return foo(x,2);
}
如果没有使用函数指针,可以选择具有类似行为吗?
答案 0 :(得分:6)
您可以使用curry修复(或 std::bind
)函数参数。
例如,foo2
可能是
auto foo2 = std::bind(foo, std::placeholders::_1, 2);
您可以将其读作:
对foo2
的调用就像是对foo
的调用,其中第一个参数是foo2
调用的第一个参数,第二个参数是2
。
可以使用lambda函数完成:
auto foo2 = [] (int x) { return foo(x, 2); }
<强> See the above in action 强>
最后,如果你不能使用C ++ 11那么就是等价的boost::bind
。
答案 1 :(得分:0)
您可以使用
重载该功能int foo(int x) {
return foo(x,2);
}
您将拥有相同的名称......或默认参数解决方案......
答案 2 :(得分:0)
函数指针不支持任何类型。实际上,他们所有做支持都指向静态函数。不要将它们用于回调,而是使用std::function
或模板。
您可以使用std::bind
或lambda来实现此目标。但是你不会得到一个函数指针,只能找到一个函数对象,你可以通过适当的抽象(模板或std::function
)来使用它。
答案 3 :(得分:0)
您可以使用std :: bind作为例子:
std::bind2nd (std::ptr_fun (foo), arg2) (arg1) // replace second argument
std::bind1st (std::ptr_fun (foo), arg1) (arg2) // replace/bind first argument
您也可以将其分配给变量:
auto fun = std::bind1st (std::ptr_fun (foo), 2);
auto fun = std::bind2nd (std::ptr_fun (foo), 2);
或者如果您的编译器不支持C ++ 11
typedef std::binder1st<std::pointer_to_binary_function<int, int, int>> fun_type;
fun_type fun = std::bind1st (std::ptr_fun (foo), 2); // foo (2, arg2);
typedef std::binder2nd<std::pointer_to_binary_function<int, int, int>> fun_type2;
fun_type2 fun = std::bind2nd (std::ptr_fun (foo), 2); // foo (arg1, 2);
然后调用它
fun (arg);