使用返回类型调用模板化的指针成员函数时出错

时间:2019-03-08 16:17:53

标签: c++ templates variadic-templates member-function-pointers template-deduction

template<typename T, typename F, typename ...Args>
auto f(F h, Args&&... args) -> decltype(h(args...)) {
    T* t = new T(); // Don't worry, my actual code doesn't do this
    return (t->h)(args...);
}

struct G {
    int g() {
        return 5;
    }
};

int main() {
    int k = f<G>(&G::g);
}

Microsoft的编译器说error C2672: 'f': no matching overloaded function founderror C2893: Failed to specialize function template 'unknown-type f(F,Args &&...)'

Clang的编译器说note: candidate template ignored: substitution failure [with T = G, F = int (G::*)(), Args = <>]: called object type 'int (G::*)()' is not a function or function pointererror: no matching function for call to 'f'

我很确定int (G::*)()是一个函数指针...?我想念什么? (在添加返回类型之前,所有这些工作都很好。)

1 个答案:

答案 0 :(得分:2)

  

我很确定int (G::*)()是一个函数指针...?我想念什么?

不完全是:int (G::*)()是指向非静态方法的指针。那不是完全一样的东西,需要稍微不同的语法来调用它。

所以,而不是

return (t->h)(args...);

您应添加一个*并按如下所示调用h()

return (t->*h)(args...);
// ........^  add this *

decltype()也是错误的。如果您至少可以使用C ++ 14,则可以避免使用,只需使用auto作为返回类型

template <typename T, typename F, typename ...Args>
auto f (F h, Args&&... args) {
    T* t = new T(); 
    return (t->*h)(args...);
}

否则,如果必须使用C ++ 11,则可以包含<utility>并按如下方式使用std::declval()

template <typename T, typename F, typename ...Args>
auto f(F h, Args&&... args) -> decltype((std::declval<T*>()->*h)(args...)) { 
    T* t = new T(); // .................^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
    return (t->*h)(args...);
}

但是还有另一种编写f()函数的方法:推导返回的类型(因此避免使用autodecltype()std::declval())和参数h()

您可以按如下方式编写f()

template<typename R, typename T, typename ... As1, typename ... As2>
R f(R(T::*h)(As1...), As2 && ... args) {
    T* t = new T();
    return (t->*h)(args...);
}

并且您避免显式调用G类型

int k = f(&G::g);
// .....^^^^^^^^   no more explicit <G> needed

因为T模板类型是根据参数&G::g推导出来的。