我注意到lambdas都使用函数指针以及使用g的专用函数类型.
#include <functional> typedef int(*fptr)(int,int); int apply_p(fptr f,int a,int b) { return f(a,b); } int apply_f(std::function<int(int,int)> f,b); } void example() { auto add = [](int a,int b) -> int { return a + b; }; apply_p(add,2,3); // doesn't give an error like I'd expect it to apply_f(add,3); }
我的问题是:哪些是最惯用的?使用另一种的危险和/或好处是什么?
解决方法
I noticed that lambdas both work using function pointers as well as the dedicated
function
type
如果lambda没有捕获任何东西,那么它可以衰减到一个函数指针.
Which of these are most idiomatic to use?
都不是.如果要存储任意可调用对象,请使用函数.如果您只想创建并使用它,请保持通用:
template <typename Function> int apply(Function && f,int b) { return f(a,b); }
你可以进一步,使返回和参数类型通用;我会把它作为一个练习.
And what are the dangers and/or benefits of using one over the other?
函数指针版本仅适用于(非成员或静态)函数和非捕获的lambdas,并且不允许任何状态被传递;只有函数本身及其参数.函数类型可以包装任何可调用对象类型,具有或不具有状态,因此更通常是有用的.但是,这具有运行时成本:隐藏包装类型,调用它将涉及虚函数调用(或类似);并且可能需要动态内存分配来保存大型.