我有两个类,一个顶点和一个向量,我正在尝试使用运算符来简化生活。如果您将检查下面介绍的向量和顶点类,我正在尝试在顶点和向量中实现运算符。
比如VertexA+VertexB = VectorC //没用那么多...
VertexA-VertexB = VectorC //可以很频繁地使用
VertexA+VectorB = VertexC //可以用得很频繁
VertexA-VectorB = VertexC //可以很频繁地使用
VectorA+VectorB = VectorC //使用
VectorA-VectorB = VectorC //使用
VectorA+VertexB = VertexC //使用
VectorA-VertexB = VertexC //使用
如果您会注意到存在循环依赖关系。为了让一个类的运算符按值返回(而不是按引用或指针)
我知道一种解决方法,将顶点表示为向量。但是我想知道是否有不同的解决方案,因为我喜欢这两个不同的类只是为了清楚起见。
#ifndef decimal
#ifdef PRECISION
#define decimal double
#else
#define decimal float
#endif
#endif
class Vector;
class Vertex{
public:
decimal x,y;
const Vertex operator+(const Vector &other);
const Vertex operator-(const Vector &other);
const Vector operator+(const Vertex &other);
const Vector operator-(const Vertex &other);
};
class Vector{
public:
decimal x,y;
const Vector operator+(const Vector &other) const {
Vector result;
result.x=this->x+other.x;
result.y=this->y+other.y;
return result;
}
const Vector operator-(const Vector &other) const {
Vector result;
result.x=this->x-other.x;
result.y=this->y-other.y;
return result;
}
const Vertex operator+(const Vertex &other) const {
Vertex result;
result.x=this->x+other.x;
result.y=this->y+other.y;
return result;
}
const Vertex operator-(const Vertex &other) const {
Vertex result;
result.x=this->x-other.x;
result.y=this->y-other.y;
return result;
}
decimal dot(const Vector &other) const{
return this->x*other.x+this->y*other.y;
}
const decimal cross(const Vector &other) const{
return this->x*other.y-this->y*other.x;
}
};