繁体   English   中英

对没有参数的可变参数模板函数的模糊调用?

[英]Ambiguous call to variadic template function with no parameters?

运行时:

template <typename T>
struct CodeByType
{
    static const int32_t Value = 7;
};

template <>
struct CodeByType<int>
{
    static const int32_t Value = 1;
};

template <typename Arg, typename... Args>
int32_t Sum()
{
    // The compiler complains on this line
    return Sum<Arg>() + Sum<Args...>();
}

template <typename Arg>
int32_t Sum()
{
    return CodeByType<Arg>::Value;
}

int main()
{
    auto sum = Sum<int, char, double>();
}

我越来越:

错误C2668'Sum':对重载函数的模糊调用

有人可以解释为什么以及如何克服它?

这看起来非常类似于下面的代码,它编译,所以我想它与Sum不接受任何实际参数。

template <typename T>
T adder(T first) {
    return first;
}

template<typename T, typename... Args>
T adder(T first, Args... rest) {
    return first + adder(rest...);
}

int main()
{
    auto sum = adder(1, 7);
}

如果您将代码简化为:

Sum<int>();

您会收到更有用的错误消息:

 31 : <source>:31:16: error: call to 'Sum' is ambiguous auto sum = Sum<int>(); ^~~~~~~~ 17 : <source>:17:9: note: candidate function [with Arg = int, Args = <>] int32_t Sum() ^ 24 : <source>:24:9: note: candidate function [with Arg = int] int32_t Sum() ^ 1 error generated. 

因此更清楚的是,第一次重载与Args = <>和第二次重载之间存在过载模糊。 两者都是可行的。

人们可能会认为解决方案的专业化:

template <typename Arg>
int32_t Sum<Arg>()
{
    return CodeByType<Arg>::Value;
}

如果标准允许,这确实可以解决问题。 不允许使用部分功能。

C ++ 17解决方案:

这是最优雅的解决方案:

constexpr如果要救援:

template <typename Arg, typename... Args>
int32_t Sum()
{
    if constexpr(sizeof...(Args) == 0)
      return CodeByType<Arg>::Value;
    else
      return Sum<Arg>() + Sum<Args...>();
}

C ++ 14解决方案

我们使用SFINAE来启用/禁用我们想要的功能。 请注意,必须颠倒函数定义顺序。

template <typename Arg, typename... Args>
auto Sum() -> std::enable_if_t<(sizeof...(Args) == 0), int32_t>
{
      return CodeByType<Arg>::Value;
}


template <typename Arg, typename... Args>
auto Sum() -> std::enable_if_t<(sizeof...(Args) > 0), int32_t>
{
      return Sum<Arg>() + Sum<Args...>();

}

C ++ 11解决方案

只需用typename std::enable_if<>::type替换std::enable_if_t<>

在c ++ 17中,它只是

template <typename... Args>
int32_t Sum()
{
    return (CodeByType<Args>::Value + ...); // Fold expression
}

在C ++ 11中,您可以:

template <typename... Args>
int32_t Sum()
{
    int32_t res = 0;
    const int32_t dummy[] = {0, (res += CodeByType<Args>::Value)...};
    static_cast<void>(dummy); silent warning about unused variable
    return res;
}

我对模板机制的记忆很老,但如果我没记错的话,他们的信息会在编译过程中的某个时刻被删除。

我的猜测是,在第二种情况下,函数不是通过模板类型的差异来区分,而是通过参数的差异来区分。

在您的情况下,您没有参数,因此剥离了两个重载版本相同的模板信息,并且在调用它时无法区分它们。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM