模板函数(或方法)不会从它们的默认参数中推断出它们的类型参数,带auto
参数的闭包仅仅是一个带有模板方法的对象。
这使得模板函数的默认 lambda 有点烦人。
一种方法是键入 erase 调用一个对象,而不存储它,如下所示:
#include <utility>
#include <type_traits>
#include <memory>
template<class Sig>
struct function_view;
template<class R, class...Args>
struct function_view<R(Args...)>{
void* state;
R(*f)(void*, Args&&...);
template<class F, class=std::enable_if_t<std::is_convertible<std::result_of_t<F&(Args...)>,R>{}>>
function_view( F&& fin ):
state(const_cast<void*>(static_cast<void*>(std::addressof(fin)))),
f( [](void* state, Args&&...args)->R{
F&& f = std::forward<F>(*static_cast<std::decay_t<F>*>(state));
return f(std::forward<Args>(args)...);
})
{}
function_view( R(*fin)(Args...) ):
state(fin),
f( fin?+[](void* state, Args&&...args)->R{
R(*f)(Args...) = static_cast<R(*)(Args...)>(state);
return f(std::forward<Args>(args)...);
}:nullptr)
{}
explicit operator bool(){return f;}
function_view():state(nullptr),f(nullptr){}
function_view(std::nullptr_t):function_view(){}
R operator()(Args...args)const{
return f(state, std::forward<Args>(args)...);
}
};
template<class...Args>
struct function_view<void(Args...)>{
void* state;
void(*f)(void*, Args&&...);
template<class F, class=std::result_of_t<F&(Args...)>>
function_view( F&& fin ):
state(const_cast<void*>(static_cast<void*>(std::addressof(fin)))),
f( [](void* state, Args&&...args){
F&& f = std::forward<F>(*static_cast<std::decay_t<F>*>(state));
f(std::forward<Args>(args)...);
})
{}
function_view( void(*fin)(Args...) ):
state(fin),
f( fin?+[](void* state, Args&&...args){
void(*f)(Args...) = static_cast<void(*)(Args...)>(state);
f(std::forward<Args>(args)...);
}:nullptr)
{}
explicit operator bool(){return f;}
function_view():state(nullptr),f(nullptr){}
function_view(std::nullptr_t):function_view(){}
void operator()(Args...args)const{
f(state, std::forward<Args>(args)...);
}
};
int main() {
auto f = [] (function_view<void()> x=[]{}) {
x();
};
f();
}
由于这仅适用于函数指针,而且我在 gcc 内联简单函数指针方面有很好的经验,因此它可能没有std::function
. 与std::function
不涉及虚拟表或堆分配不同。
活生生的例子
对于非 lambda,您可以这样做:
template<class X=function_view<void()>>
void f( X&& x=[]{} ) {
x();
}
如果您传递,则推断是一个参数,如果您不传递,它将成为一个函数。你也可以这样做:
struct do_nothing {
template<class...Args>
void operator()(Args&&...)const{}
};
template<class X=do_nothing>
void f( X&& x=do_nothing{} ) {
x();
}
这可能更容易优化。