3

我已经将我的疑问提炼到以下这段代码中

struct base {};
struct derived : public base {};

template <class T>
struct Type { };

template <> struct Type<base> {
  typedef float mytype;
};

typename Type<base>::mytype a=4.2;    // this works
typename Type<derived>::mytype a=4.2; // this doesnt

谁能解释为什么我不能用它来实例化类模板对象derived并提出一种简单的方法来做到这一点。对于我感兴趣的实际问题,我想使用许多派生类来实例化模板类对象和/或使用 typedef。它们太多了,比我想单独专门研究的要多。

编辑:忘了提,我的错,这需要是 C++03

4

2 回答 2

4
#include <iostream>
#include <type_traits>

struct base { };
struct derived : base { };

template<typename T, bool = std::is_base_of<base, T>::value>
struct Type { };

template<typename T>
struct Type<T, true>
{
   typedef float mytype;
};

int main()
{
   Type<base>::mytype a1 = 4.2f;
   Type<derived>::mytype a2 = 8.4f;
   std::cout << a1 << '\n' << a2 << '\n';
}

在 C++03 中,std可以简单地替换为boostboost::is_base_of

于 2012-11-27T08:36:55.823 回答
2

具有不同模板参数的模板类的两个实例是完全不相关的类类型。Type<derived>与 没有任何关系Type<base>,这当然意味着它不使用专业化并且是从主模板实例化的。主模板没有嵌套类型mytype

于 2012-11-27T08:38:16.240 回答