声明模板的语法是template<class B>
(或等效地,template<typename B>
)。
还有一个循环引用:Base
引用MyOperation
(返回类型和operate
函数内部)。所以MyOperation
需要先定义Base
。
但MyOperation
也引用Base
(基类)。
对于基类和函数内部的使用,需要一个完整的定义。但是对于返回类型,一个不完整的类型就足够了。所以MyOperation
需要在之前预先声明Base
,例如:
template<class B> class MyOperation;
此外,operate()
需要在.class Base { ... }
的定义之后在MyOperation
. 正确的代码是:
// pre-declaration of MyOperation
template<class B> class MyOperation;
// definition of Base class
class Base {
public:
// declaration of Base::operate member function
// MyOperation<Base> is incomplete type here
MyOperation<Base> operate(Base x);
};
// definition of MyOperation class template
template<class B>
class MyOperation : public Base{
public:
B b;
MyOperation(B b_){ b = b_; }
};
// definition ofBase::operate member function
inline MyOperation<Base> Base::operate(Base x) {
return MyOperation<Base>(x);
}
Base::operate
如果定义在头文件中,则需要内联,否则如果头文件包含在多个源文件中,则会出现多个链接器符号。
如果它不是内联的(如果它是一个大函数更好),那么定义应该放在源文件中。