頂点とベクトルの 2 つのクラスがあります。演算子を使用して作業を簡素化しようとしています。以下に示すベクトルと頂点のクラスを調べると、頂点とベクトルの両方に演算子を実装しようとしています。
たとえば VertexA+VertexB = VectorC //あまり使われていない...
VertexA-VertexB = VectorC //非常に頻繁に使用できます
VertexA+VectorB = VertexC //非常に頻繁に使用できます
VertexA-VectorB = VertexC //非常に頻繁に使用できます
VectorA+VectorB = VectorC //使用
VectorA-VectorB = VectorC //使用
VectorA+VertexB = VertexC //使用
VectorA-VertexB = VertexC //使用
循環依存関係があることに気がつくでしょう。1 つのクラスの演算子が (参照やポインターではなく) 値によって返されるようにするため
回避策の 1 つを知っています。頂点をベクトルとして表現します。ただし、明確にするために2つの異なるクラスが好きなので、別の解決策があるかどうか疑問に思っていました。
#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;
}
};