我正在尝试编写一个包装数值的C ++程序,我是通过编写一个超类来完成的 它将处理两个简单的函数和一个运算符重载函数。这是我的代码:
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
template <class T>
class Number {
protected:
T number;
public:
Number(T num) {
number = num;
}
string mytype() {
return typeid(number).name();
}
string what_am_i() {
ostringstream oss;
oss << "I am " << Number<T>::mytype() << " and my nanana is " << number;
return oss.str();
}
Number operator+ (Number an) {
Number brandNew = NULL;
brandNew.number = number + an.number;
return brandNew;
}
};
class MyInt : public Number<int> {
public:
MyInt() : Number<int>(0){};
MyInt(int num) : Number(num){
}
};
在Main函数中,我想做类似的事情:
void main() {
MyInt three = 3;
MyInt two = 2;
MyInt five = three + two;
cout << five.what_am_i();
}
我的问题是增加了三到两个,编译器说:
没有合适的用户定义从“Number”到“MyInt”的转换 存在
我可以通过在MyInt中实现重载函数来解决这个问题,但由于我想支持很多类,比如MyShort和MyFloat,我想把它留在Superclass中。有什么解决方案吗? 谢谢!
答案 0 :(得分:6)
问题是,当你从模板化的类继承和你的一样。继承的类型不会替换为您的期望。例如,对于继承的运算符Number<int>
,MyInt
不会被+
替换。
运算符+
的返回值和入口参数是Number<int>
而不是MyInt
,继承的类必须能够从{{1}构造MyInt
}}。在Number<int>
类:
MyInt
为了避免这些额外的努力,最好不要继承MyInt(const Number<int> &x) : Number<int>(x) {}
,而只是为Number
添加typedef
:
int
......然后其他一切都没问题。