下面是关于可变参数模板语法、打包和解包的一些解释——关于有问题的特定代码以及如何使其工作1。
看来您要实现的是区分std::vector<int>
和std::vector<float>
。
然而
你的函数#1太贪心了,会接受所有可能的参数:
template <typename T>
bool f(T& x) // #1
{
std::cout << "body of f\n";
return f(x);
}
如果任何调用也适合重载版本之一,这将导致模棱两可。
所以,我们首先需要:
分开is_vector
与否
我们可以通过以下代码实现:
// [A]
template <class, template <class...> class>
struct is_of_template_type : std::false_type {};
// [B]
template <class T, class... Args, template <class...> class U>
struct is_of_template_type<U<T, Args...>, U> : std::true_type {};
// [C]
template <class Something>
struct is_vector: is_of_template_type<Something, std::vector> {};
[A] 是通用案例的基本模板(与继承无关),在任何专业化之前,用于允许测试给定类型是否是特定模板。该模板参数是:(a)某种类型(b)必须是模板的某种其他类型,带有一些未知的模板参数。
[B] 是案例的专业化true
。调用者应该提供两个模板参数,但只有当第一个模板参数适合作为第二个模板参数给出的模板类型时,它才会适合这个特化。请注意,表达式需要两个模板参数:(a) 一个模板参数U<T, Args...>
,我们将从中推断类型T
and Args
,以及 (b) 另一个模板参数——由于基本模板,它必须是一个模板参数——我们忽略它内部模板参数,因为我们只需要第一个类型来匹配第二个,而不管内部模板参数如何。
[C] 是检查给定类型是否为 a 的具体用法vector
,无需处理向量模板参数。
现在我们可以将函数#1重写为:
template<typename Something>
typename std::enable_if<!is_vector<Something>::value>::type
f(const Something& v) // #1
{
std::cout << "body of f for generic Something\n";
}
而且它不像以前那么贪婪,因为它只需要非向量。
现在我们为下一个任务做好了准备:
区分不同种类的向量,即is_vector_of_T
为此,我们将添加以下内容:
template <typename Container, typename T>
struct is_vector_of_T: std::false_type {};
template <typename T>
struct is_vector_of_T<std::vector<T>, T>: std::true_type {};
现在我们可以为std::vector<int>
and设置单独的函数std::vector<float>
:
template<typename Something>
typename std::enable_if<is_vector_of_T<Something, int>::value>::type
f(const Something& v) // #2
{
std::cout << "body of f for vector<int>\n";
}
template<typename Something>
typename std::enable_if<is_vector_of_T<Something, float>::value>::type
f(const Something& v) // #3
{
std::cout << "body of f for vector<float>\n";
}
我们可以用它来隔离std::vector<std::vector<int>>
吗?
我们可以:
template<typename Something>
typename std::enable_if<is_vector_of_T<Something, std::vector<int>>::value>::type
f(const Something& v) // #4
{
std::cout << "body of f for vector<vector<int>>\n";
}
template<typename Something>
typename std::enable_if<is_vector_of_T<Something, std::vector<float>>::value>::type
f(const Something& v) // #5
{
std::cout << "body of f for vector<vector<float>>\n";
}
代码:
https ://godbolt.org/z/EFeGZk
笔记:
我enable_if
在上述所有情况下都使用将方法的返回值声明void
为不存在或不存在(SFINAE),这是一种常见用法
我们可以考虑代替重载模板函数来专门化模板类,它可以减少对enable_if
使用 C++20,我们将使用enable_if
语法requires
替换使用
其他相关的 SO 问题:
1
如果可变参数模板打包和解包对您来说是全新的,我建议您从一些更基本的示例(如this或this )开始学习这个主题。
该问题专门与template template parameter
(重复template
不是错误)有关,这是一个更高级的主题,您可以将其作为一个很好的参考。
然后,这个问题更具体地与 相关,与诸如this和thisvariadic template template parameter
之类的示例相关。