0

我正在尝试创建一个通用函数,它接收同一个类的两个对象并返回同一个对象

这是我的两门课:Point2DPoint3D

class Point2D
{
 public:
           Point2D();
           Point2D(int,int);

           int getX() const;
           int getY() const;

           void setX(int);
           void setY(int);

 protected:

             int x;
             int y;
};



class Point3D:public Point2D
{
  public:   Point3D();
            Point3D(int,int,int);

            void setZ(int);

            int getZ() const;

  protected:
             int z;
};

对于 Point2D :我试图返回一个 Point2D 对象,其 X,Y 坐标是 2 个 Point2D 对象之间的差异

对于 Point3D :我试图返回一个 Point3D 对象,其 X、Y、Z 坐标是 2 个 Point3D 对象之间的差异

我可以创建一个通用函数来处理这两个???.

以下是我到目前为止所拥有的,但它只处理 Point2D 对象,我如何将 Point3D 对象集成到下面的通用函数中

模板 T PointDiff(T pt1, T pt2)
{
T pt3;

pt3.x = pt1.x - pt2.x;

pt3.y = pt1.y - pt2.y;

返回pt3;
}

我在想这样的事情,但问题是Point2D 对象没有 Z 坐标

模板 T PointDiff(T pt1, T pt2) {
T pt3;

pt3.x = pt1.x - pt2.x;

pt3.y = pt1.y - pt2.y;

pt3.z = pt1.z - pt2.z

返回pt3;}

有人可以帮我吗谢谢

4

2 回答 2

3

我认为您可以为每个班级设置一个差异函数。

对于 Point2D 类:

Point2d Diff(Point2D &d) {
    Point2d pt;
    pt.x = this->x - d.x;
    pt.y = this->y - d.y;
    return pt;
} 

对于 Point3D 类:

Point3d Diff(Point3D &d) {
    Point3d pt;
    pt.x = this->x - d.x;
    pt.y = this->y - d.y;
    pt.z = this->z - d.z;
    return pt;
} 

然后,你的函数是这样写的:

template T PointDiff(T pt1, T pt2) {
        return pt1.Diff(pt2);
}

我希望这能帮到您。

于 2013-11-15T06:04:46.903 回答
0

您可以覆盖每个类的减号运算符:

Point2D operator-(Point2D &pt1, Point2D &pt2)
{
    Point2D ret;

    ret.x = pt1.x - pt2.x;
    ret.y = pt2.y - pt2.y;

    return ret;
}

Point3D operator-(Point3D &pt1, Point3D &pt2)
{
    Point3D ret;

    ret.x = pt1.x - pt2.x;
    ret.y = pt2.y - pt2.y;
    ret.z = pt1.z - pt2.z;

    return ret;
}

您还需要声明operator-为这两个类的朋友:

class Point2D
{
public:
    Point2D();
    Point2D(int,int);

    int getX() const;
    int getY() const;

    void setX(int);
    void setY(int);

    friend Point2D operator-(Point2D &pt1, Point2D &pt2);
protected:

    int x;
    int y;
};

class Point3D:public Point2D
{
public:
    Point3D();
    Point3D(int,int,int);

    void setZ(int);

    int getZ() const;

    friend Point3D operator-(Point3D &pt1, Point3D &pt2);
protected:
    int z;
};

然后,您只需使用减法即可在程序中使用它

int main(int argc, char **argv)
{
    Point2D a, b, c;

    a.setX(4);
    a.setY(5);
    b.setX(2);
    b.setY(-10);

    c = a - b;

    std::cout << c.getX() << " " << c.getY() << std::endl;
}
于 2013-11-15T18:39:41.793 回答