8

我有以下代码片段,虽然完全微不足道,但说明了我试图在更通用的代码中使用的模式。

template<typename InT, typename ResT>
ResT unary_apply( InT val, std::function<ResT(InT)> fn )
{
    return fn(val);
}

我希望能够使用函数指针、仿函数、lambda 等调用 unary_apply:因此使用std::function来抽象所有这些。

当我尝试通过以下方式使用上述内容时,C++ (g++ 4.7) 无法执行相关类型推断:

double blah = unary_apply( 2, []( int v ) { return 3.0 * v; } );

失败了

src/fun.cpp:147:75: error: no matching function for call to ‘unary_apply(int, test()::<lambda(int)>)’
src/fun.cpp:147:75: note: candidate is:
src/fun.cpp:137:6: note: template<class InT, class ResT> ResT unary_apply(InT, std::function<ResT(InT)>)
src/fun.cpp:137:6: note:   template argument deduction/substitution failed:
src/fun.cpp:147:75: note:   ‘test()::<lambda(int)>’ is not derived from ‘std::function<ResT(double)>’

而且我发现我必须明确指定模板参数(实际上我相信它只是不可推断的返回类型):

double blah = unary_apply<int, double>( 2, []( int v ) { return 3.0 * v; } );

我对 C++11 中的类型推断规则不太熟悉,但上述行为似乎是合理的(我可以看到通过 的内部机制进行推断std::function可能是一个很大的问题)。我的问题是:是否可以重写unary_apply上面的函数以保持相同的灵活性(就可以作为第二个参数传递的函数/函子等的类型而言)同时也为类型推断提供更多线索所以我不必在调用时显式提供模板参数?

4

1 回答 1

10

多一点鸭式应该可以工作:

template <typename T, typename F>
auto unary_apply(T&& val, F&& func) -> decltype(func(val)) {
    return func(std::forward<T>(val));
}
于 2012-07-05T12:17:55.550 回答