关于CRP如果我想实现它的轻微变化(使用模板模板参数),我收到编译错误:
template <template <typename T> class Derived>
class Base
{
public:
void CallDerived()
{
Derived* pT = static_cast<Derived*> (this);
pT->Action(); // instantiation invocation error here
}
};
template<typename T>
class Derived: public Base<Derived>
{
public:
void Action()
{
}
};
我不确定会选择这个表格(不能为我编译)而不是使用它(这可行)
template <typename Derived>
class Base
{
public:
void CallDerived()
{
Derived* pT = static_cast<Derived*> (this);
pT->Action();
}
};
template<typename T>
class Derived: public Base<Derived<T>>
{
public:
void Action()
{
}
};
答案 0 :(得分:11)
这也应该编译。我们只需要明确指定其他模板参数
template <typename T, template <typename T> class Derived>
class Base
{
public:
void CallDerived()
{
Derived<T>* pT = static_cast<Derived<T>*> (this);
pT->Action(); // instantiation invocation error here
}
};
template<typename T>
class Derived: public Base<T,Derived>
{
public:
void Action()
{
}
};
答案 1 :(得分:5)
在第一个示例中,类模板实际上采用模板模板参数,而不仅仅是模板参数,如您所写:
template <template <typename T> class Derived>
class Base
{
//..
};
所以这段代码没有意义:
Derived* pT = static_cast<Derived*> (this);
pT->Action(); // instantiation invocation error here
此处Derived
是一个模板模板参数,需要您未提供的模板参数。实际上,在CallDerived()
函数中,您无法知道需要提供的类型,以便执行您想要执行的操作。
第二种方法是正确的解决方案。使用它。