类范围中的类模板特化?

时间:2013-09-19 20:44:55

标签: c++ templates nested-class specialization

为什么A中的专业化S和B中的S不是?

(如果B未被注释掉) GCC 4.8.1:错误:非命名空间范围“B类”中的显式特化

#include <type_traits>
#include <iostream>

class Y {};
class X {};

struct A {
  template<class T, class = void>
  class S;

  template<class T>
  struct S < T, typename std::enable_if< std::is_same< Y, T >::value >::type > 
  {
    int i = 0;
  };

  template<class T>
  struct S < T, typename std::enable_if< std::is_same< X, T >::value >::type > 
  {
    int i = 1;
  };
};

/*
class B
{
    template<class T>
    class S;

    template<>
    class S < Y > {};

    template<>
    class S < X > {};
};
*/


int main()
{
    A::S< X > asd;
    std::cout << asd.i << std::endl;
}

on coliru: B commented out

on coliru: with B (error)

1 个答案:

答案 0 :(得分:11)

@jrok的评论几乎解释了你的编译器错误。一般来说,嵌套类,特别是嵌套类模板,是你可以轻松避免的语言的一个尘土飞扬的角落(记住Sutter的建议“Write what you know and know what you write”)。

只需制作namespace detail来定义类模板SASB及其专精,然后在S内定义嵌套模板类型别名AB

namespace detail {

  template<class T, class = void>
  class SA;

  template<class T>
  struct SA < T, typename std::enable_if< std::is_same< Y, T >::value >::type > 
  {
    int i = 0;
  };

  template<class T>
  struct SA < T, typename std::enable_if< std::is_same< X, T >::value >::type > 
  {
    int i = 1;
  };

  template<class T>
  class SB;

  template<>
  class SB < Y > {};

  template<>
  class SB < X > {};
}

struct A
{
    template<class T>
    using S = detail::SA<T>;
};

struct B
{
    template<class T>
    using S = detail::SB<T>;
};

当然,对于这种情况,它可能看起来有点过分,但如果您想要自己制作AB类模板,并专门化AB,那么如果您还专门化了封闭类,则只能专门化嵌套类模板。简而言之:只需通过更高级别的编译时间接来完全避免这些问题。