可以实例化c ++类模板,但具有相同模板参数的函数模板实例化失败

时间:2015-06-14 11:50:13

标签: c++ templates variadic-templates

我有一个用于绑定函数调用的包装类(一个帮助类来对抗一些遗留代码问题):

template <class Result, class... Args>
class FunctionWrapper
{
    std::function<Result()> func_;
public:
    FunctionWrapper(std::function<Result(Args...)> f, Args&&... args) :
        func_(std::bind(f, std::forward<Args>(args)...))
    {
    }
    //...some methods using that func_
};

我可以编写以下代码,编译并正常工作:

double f(int i, double d)
{
    return i*d;
}
//...
FunctionWrapper<double, int, double> w(f, 2, 4.5);
//calling methods of w ...

现在我想在定义包装器实例时省略一些输入,所以我已经介绍了make_wrapper函数:

template <class Result, class... Args>
FunctionWrapper<Result, Args...> make_wrapper(std::function<Result(Args...)> f, Args&&... args)
{
    return FunctionWrapper<Result, Args...>(f, std::forward<Args>(args)...);
}

虽然此函数的模板参数列表与包装类的模板参数列表相同,但无法编译(将模板参数添加到&#34; help&#34;编译器也无法帮助):

auto w1=make_wrapper(f, 2, 4.5); //error: no matching function for call to 'make_wrapper', candidate template ignored: could not match 'function<type-parameter-0-0 (type-parameter-0-1...)>' against 'double (*)(int, double)'

auto w2=make_wrapper<double, int, double>(f, 2, 4.5); //error: no matching function for call to 'make_wrapper', candidate template ignored: could not match 'function<double (int, double, type-parameter-0-1...)>' against 'double (*)(int, double)'

编译器是LLVM 6.1(当前的XCode)。那么,这里发生了什么?是否可以修复make功能?

2 个答案:

答案 0 :(得分:1)

问题是你make_wrapper()的第一个参数没有你声称的类型。虽然函数指针可以转换为相应的std::function<...>,但编译器不会使用std::function<...> to deduce template arguments. Even if you'd make it a nested type to have Args ... be deduce by the other argument, the结果`类型无法通过转换推断出来。

如果你真的只想绑定函数指针,它应该可以将函数指针作为参数:

template <class Result, class... Args>
FunctionWrapper<Result, Args...>
make_wrapper(Result (*f)(Args...), Args&&... args)
{
    return FunctionWrapper<Result, Args...>(f, std::forward<Args>(args)...);
}

当函数指针的参数和传递的参数实际上不一致时,可能需要为函数参数和要绑定的参数设置单独的模板参数列表:

template <class Result, class... FArgs, class... Args>
FunctionWrapper<Result, FArgs...>
make_wrapper(Result (*f)(FArgs...), Args&&... args)
{
    return FunctionWrapper<Result, FArgs...>(f, std::forward<Args>(args)...);
}

我可能会选择一个并不真正关心函数对象参数的实际类型的方法,只是推导出所生成的函数类型:

template <class Fun, class... Args>
auto make_wrapper(Fun fun, Args&&... args)
    -> FunctionWrapper<decltype(fun(std::forward<Args>(args)...)), Args...>
{
    return FunctionWrapper<decltype(fun(std::forward<Args>(args)...)), Args...>(f, std::forward<Args>(args)...);
}

答案 1 :(得分:0)

问题是编译器无法匹配参数的类型,double(int, double)此处为std::function<double(int,double)>,此处没有自动转换!

您需要使用函数指针,而不是std :: function作为参数:

template <class Result, class... Args>
FunctionWrapper<Result, Args...> make_wrapper(Result(*f)(Args...), Args&&... args)
{
    return FunctionWrapper<Result, Args...>(f, std::forward<Args>(args)...);
}