我使用的是不能用g ++ 4.2.1编译的CRTP,也许是因为派生类本身就是一个模板?有谁知道为什么这不起作用,或者更好的是,如何让它工作?示例代码和编译器错误如下。
#include <iostream>
using namespace std;
template<typename X, typename D> struct foo;
template<typename X> struct bar : foo<X,bar<X> >
{
X evaluate() { return static_cast<X>( 5.3 ); }
};
template<typename X> struct baz : foo<X,baz<X> >
{
X evaluate() { return static_cast<X>( "elk" ); }
};
template<typename X, typename D> struct foo : D
{
X operator() () { return static_cast<D*>(this)->evaluate(); }
};
template<typename X, typename D>
void print_foo( foo<X,D> xyzzx )
{
cout << "Foo is " << xyzzx() << "\n";
}
int main()
{
bar<double> br;
baz<const char*> bz;
print_foo( br );
print_foo( bz );
return 0;
}
foo.C: In instantiation of ‘foo<double, bar<double> >’:
foo.C:8: instantiated from ‘bar<double>’
foo.C:30: instantiated from here
foo.C:18: error: invalid use of incomplete type ‘struct bar<double>’
foo.C:8: error: declaration of ‘struct bar<double>’
foo.C: In instantiation of ‘foo<const char*, baz<const char*> >’:
foo.C:13: instantiated from ‘baz<const char*>’
foo.C:31: instantiated from here
foo.C:18: error: invalid use of incomplete type ‘struct baz<const char*>’
foo.C:13: error: declaration of ‘struct baz<const char*>’
答案 0 :(得分:2)
CRTP的想法是有一个基类,知道它的衍生物是什么类型 - 不要让基类派生自它的衍生物。
否则你会遇到以下情况:
Derived
派生自Base<Derived>
,Derived
,Base<Derived>
,请改用以下内容:
template<typename X, typename D> struct foo // : D
// ... ^ remove that
答案 1 :(得分:2)
有一种方法可以使CRTP适用于模板派生类,但要注意,它应该始终是模板。
#include <iostream>
#include <typeinfo>
template<template <class> class Derived, class T>
struct A{
void interface(){
static_cast<Derived<T>*>(this)->impl();
}
};
template<class T>
struct B: public A<B, T>
{
void impl(){
std::cout << "CRTP with derived templates are real\n";
std::cout << "Tempate argument is " << typeid(T).name() << "\n";
}
};
int main(void)
{
B<char>().interface();
B<double>().interface();
B<void>().interface();
return 0;
}
无法与gcc 4.4.7或更早版本一起使用,无法确定。