为什么此函数指针的可变参数模板参数推导失败?

时间:2015-06-25 02:10:00

标签: c++ templates c++11 variadic-templates template-deduction

在以下最小示例中,S::foo有效,但S::bar失败。

唯一的区别是参数包TsUs的顺序。

struct FPtrS::lol是我发现的最佳解决方法,但在实践中使用它会相当不舒服。

为什么bar的参数推断失败(特别是因为我明确指定了类型,所以根本不应该进行推论)?这是一个编译器错误(与clang++ 3.5g++ 4.9一起发生),或者出于某种原因是否在标准中?

template<typename ... Ts>
struct FPtr {
    FPtr(void (*val)(Ts ...)) : val{val} {}

    void (*val)(Ts ...);
};


template<typename ... Ts>
struct S {
    template<typename ... Us>
    void lol(FPtr<Us ..., Ts ...>) {}

    template<typename ... Us>
    void foo(void (*)(Ts ..., Us ...)) {}

    template<typename ... Us>
    void bar(void (*)(Us ..., Ts ...)) {}
};


void f(int, float) {}
void g(float, int) {}


int main() {
    S<int> s;

    s.lol<float>(FPtr<float, int>(g));
    s.foo<float>(f);
    s.bar<float>(g);
}

错误消息是:

$ clang++ -std=c++14 t27.cpp -Wall -Wextra -pedantic
t27.cpp:31:4: error: no matching member function for call to 'bar'
        s.bar<float>(g);
        ~~^~~~~~~~~~
t27.cpp:18:7: note: candidate template ignored: failed template argument deduction
        void bar(void (*)(Us ..., Ts ...)) {}
             ^

注意:我在GCCLLVM错误跟踪器上报告了此错误。

1 个答案:

答案 0 :(得分:3)

我已经用Clang和GCC测试了这段代码,他们都无法编译程序。我会说这是两个编译器中的错误。在参数列表结束之前出现的函数参数包是非推导的上下文。在替换明确指定的模板参数后,它应该构建函数

template<>
S<int>::bar(void (*)(float, int));

应与呼叫匹配。 Clang和GCC以前在这样的领域遇到过问题,而且他们的诊断技术已经不太有用了。但令人惊讶的是,VC++编译了代码。

考虑以下哪些在两个编译器下都有效。

template<class... Ts>
struct S {
    template<class... Us>
    void bar(Us..., Ts...);
};

int main() {
    S<int>().bar<int>(1, 2);
}

您的程序具有相同的语义,应该平等对待。