当使用奇怪的重复模板模式时,我无法引用属于派生类的 typedef,只有当我尝试从基类中引用它们时;gcc 抱怨no type named 'myType' in class Derived<...>
。这似乎与使用 typedef、模板和奇怪的重复关系可能实现的不一致。
考虑:
/* crtp.cpp */
#include <iostream>
using namespace std;
// case 1. simple.
class Base {
public:
typedef int a_t;
a_t foo;
};
class Derived : public Base {
a_t bar;
};
// case 2. template.
template<typename T>
class tBase {
public:
typedef T b_t;
T foo;
};
template <typename T>
class tDerived : public tBase<T> {
typename tBase<T>::b_t bar;
};
// case 3. curiously recurring.
template <typename T, typename D>
class tCuriousBase {
public:
typedef T c_t;
c_t foo;
};
template <typename T>
class tCuriousDerived : public tCuriousBase<T,tCuriousDerived<T> > {
typename tCuriousBase<T,tCuriousDerived<T> >::c_t bar;
};
// case 4. curiously recurring with member reference.
template <typename T, typename D>
class tCuriousMemberBase {
public:
T foo;
T get() {
return static_cast<D*>(this)->bar;
}
};
template <typename T>
class tCuriousMemberDerived : public tCuriousMemberBase<T, tCuriousMemberDerived<T> > {
public:
T bar;
tCuriousMemberDerived(T val) : bar(val) {}
};
// case 5. curiously recurring with typedef reference.
template <typename T, typename D>
class tCuriousTypeBase {
public:
typedef T d_t;
d_t foo;
typename D::c_t baz;
};
template <typename T>
class tCuriousTypeDerived : public tCuriousTypeBase<T, tCuriousTypeDerived<T> > {
public:
typedef T c_t;
typename tCuriousTypeBase<T,tCuriousTypeDerived<T> >::d_t bar;
};
// entry point
int main(int argc, char **argv) {
Derived::a_t one = 1;
tDerived<double>::b_t two = 2;
tCuriousDerived<double>::c_t three = 3;
double four = tCuriousMemberDerived<double>(4).get();
tCuriousTypeBase<double, tCuriousDerived<double> >::d_t five = 5;
// tCuriousTypeDerived<double>::d_t six = 6; /* FAILS */
cout << one << endl;
cout << two << endl;
cout << three << endl;
cout << four << endl;
cout << five << endl;
// cout << six << endl;
}
从 (1) 中,我们看到 typedef 确实是从基类继承到派生类;基类中声明的 typedef 可以通过派生类访问。
从 (2) 中,我们看到如果两个类都是模板,这仍然是正确的。
从 (3) 中,我们看到这种 typedef 继承在存在奇怪重复的模板关系的情况下仍然可以存在;我们在声明中通过派生类引用基类的 typedef three
。
从(4)中,我们看到派生类的成员变量可以很容易地从基类中访问。
从 (5) 中,我们看到我们可以访问定义在模板参数上的 typedef(这在我们声明five
使用与继承无关的类型时有效)。
然而,一旦我们在 (6) 中将模板参数设为派生类,typedef 突然变得不可访问,即使它看起来与派生类中的任何成员变量一样定义良好。
为什么是这样?