我必须使用模板,因为要求是x,y,z可以是任何类型(int,float,double,long等)。
#include <conio.h>
#include <iostream>
using namespace std;
template <class T>
class TVector //this class is for creating 3d vectors
{
T x, y, z;
public:
TVector() //default value for x, y, z
{
x = 0;
y = 0;
z = 0;
}
TVector(T a, T b, T c)
{
x = a; y = b; z = c;
}
void output()
{
cout << x << endl << y << endl << z;
}
//overloading operator + to calculate the sum of 2 vectors (2 objects)
TVector operator + (TVector vec)
{
TVector vec1;
vec1.x = this->x + vec.x;
vec1.y = this->y + vec.y;
vec1.z = this->z + vec.z;
return vec1;
}
};
int main()
{
TVector<int> v1(5, 1, 33);
TVector<float> v2(6.11, 6.1, 5.1);
TVector<float> v3;
v3 = v1 + v2;
v3.output();
system("pause");
return 0;
}
如果对象 v1 是浮动的,那么上面的代码将完美运行。但是要求是向量v1具有 int 作为其数据类型。我该如何解决这个问题?
我已经尝试使用模板进行重载+运算符,我的代码如下所示:
template <typename U>
TVector operator+(TVector<U> vec)
{
TVector vec1;
vec1.x = this->x + vec.x;
vec1.y = this->y + vec.y;
vec1.z = this->z + vec.z;
return vec1;
};
答案 0 :(得分:1)
您的问题与operator+
重载没有任何关系(或很少)。编译器错误说明了所有内容:v1 + v2
生成了TVector<int>
类型的向量(因为这是您定义operator+
的方式),并且您尝试将其分配给{{1类型为v3
的}。但是你还没有为不同类型的TVector<float>
定义赋值运算符(这正是编译器在错误消息中告诉你的内容)!