我正在尝试使用模板(学习)实现一个简单的多维点类。我需要两个特化 Point2D 和 Point3D - 这是我到目前为止所获得的,以允许构造函数像 Point p (1, 2) 一样直接初始化 Point。尽管这段代码可以编译并且运行良好,但我不喜欢的是专业化中的代码重复部分——我一定是做错了什么。
我是 C++ / 模板的新手 - 任何帮助表示赞赏。
#ifndef POINT_H_
#define POINT_H_
template< typename T, int Dimensions = 2 >
class Point
{
public:
typedef typename T value_type;
Point() { std::fill(elements_, elements_+Dimensions, 0); }
Point(const Point<T, Dimensions>& rhs) : elements_(rhs.elements_) {}
~Point() {}
Point & operator=(const Point<T, Dimensions>& rhs) { return *this; }
const Point operator+(const Point<T, Dimensions>& p)
{
Point<T, Dimensions> ret;
for(int i = 0; i < Dimensions; i++)
{
ret[i] += elements_[i] + p[i];
}
return ret;
}
Point & operator+=( const Point<T, Dimensions>& p)
{
for(int i = 0; i < Dimensions; i++)
{
elements_[i] += p[i];
}
return *this;
}
Point & operator-=( const Point<T, Dimensions> & p)
{
for(int i = 0; i < Dimensions; i++)
{
elements_[i] -= p[i];
}
return *this;
}
T & operator[](const size_t index)
{
return elements_[index];
}
private:
T elements_[Dimensions];
};
template<typename T>
class Point< T, 2 >
{
public:
Point(const T x, const T y)
{
elements_[0] = x;
elements_[1] = y;
}
typedef typename T value_type;
Point() { std::fill(elements_, elements_+Dimensions, 0); }
Point(const Point<T, 2>& rhs) : elements_(rhs.elements_) {}
~Point() {}
Point & operator=(const Point<T, 2>& rhs) { return *this; }
const Point operator+(const Point<T, 2>& p)
{
Point<T, 2> ret;
for(int i = 0; i < 2; i++)
{
ret[i] += elements_[i] + p[i];
}
return ret;
}
Point & operator+=( const Point<T, 2>& p)
{
for(int i = 0; i < 2; i++)
{
elements_[i] += p[i];
}
return *this;
}
Point & operator-=( const Point<T, 2> & p)
{
for(int i = 0; i < 2; i++)
{
elements_[i] -= p[i];
}
return *this;
}
T & operator[](const size_t index)
{
return elements_[index];
}
private:
T elements_[2];
};
template< typename T>
class Point< T, 3 >
{
public:
Point(const T x, const T y, const T z)
{
elements_[0] = x;
elements_[1] = y;
elements_[2] = z;
}
typedef typename T value_type;
Point() { std::fill(elements_, elements_+3, 0); }
Point(const Point<T, 3>& rhs) : elements_(rhs.elements_) {}
~Point() {}
Point & operator=(const Point<T, 3>& rhs) { return *this; }
const Point operator+(const Point<T, 3>& p)
{
Point<T, 3> ret;
for(int i = 0; i < 3; i++)
{
ret[i] += elements_[i] + p[i];
}
return ret;
}
Point & operator+=( const Point<T, 3>& p)
{
for(int i = 0; i < 3; i++)
{
elements_[i] += p[i];
}
return *this;
}
Point & operator-=( const Point<T, 3> & p)
{
for(int i = 0; i < 3; i++)
{
elements_[i] -= p[i];
}
return *this;
}
T & operator[](const size_t index)
{
return elements_[index];
}
private:
T elements_[3];
};
typedef Point< int, 2 > Point2Di;
typedef Point< int, 3 > Point3Di;
#endif //POINT_H_