在其他模板类中专门化variadic模板类是否合法?

时间:2016-06-11 17:56:23

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

考虑一下代码:

#include <iostream>

template <class T>
struct outer {
   template <class... Args>
   struct inner {
      static constexpr bool value = false;
   };

   template <class... Other>
   struct inner<T, Other...> {
      static constexpr bool value = true;
   };
};

int main() {
   std::cout << outer<int>::inner<int, void>::value << std::endl;
};

它确实在g ++和clang ++中编译,但我不相信它是合法的。据我所知,如果不明确专门化类本身,则不能为模板类专门化模板方法。为什么内部类的规则有所不同?

1 个答案:

答案 0 :(得分:2)

嵌套模板类的部分特化是可以的:

template <class T>
struct outer {
    // template
   template <class... Args>
   struct inner {};

    // partial
   template <class... Other>
   struct inner<T, Other...> {};

    // error: explicit specialization in non-namespace scope ‘struct inner’
    // template <>
    // struct inner<char, int> {};
};

内部类的显式(完整)专门化不是。

外部类的显式特化(没有内部类的特化(实际上是一个不同的类))并且外部和内部类的显式特化是可能的:

#include <iostream>
template <class T>
struct outer {
   template <class... Args>
   struct inner
   {
       static void print() { std::cout << "outer<T>::inner<Args...>\n"; }
   };
};

template <> // outer specialization
struct outer<int>
{
   template <class... Args>
   struct inner
   {
       static void print() { std::cout << "outer<int>::inner<Args...>\n"; }
   };
};

template <> // outer specialization
template <> // inner specialization
struct outer<int>::inner<int> // must be outside of the outer class
{
    static void print() { std::cout << "outer<int>::inner<int>\n"; }
};

int main() {
    outer<char>::inner<char>::print();
    outer<int>::inner<char>::print();
    outer<int>::inner<int>::print();
}

注意:这同样适用于非可变嵌套模板类。