// -*- C++ -*- #include #include #include #include using namespace std; struct Point { double x; Point(double x) : x(x) {} // for polymorphism, "add" must be described in class Point // but we can't restrict the parameter to be the same type as the derived class // => this must be runtime checked virtual Point *add(const Point* p) const { if (typeid(*this) == typeid(*p)) return wrapped_add(p); else throw((string)"" + typeid(*this).name() + ".add only works with " + typeid(*this).name() + "'s"); } virtual Point *wrapped_add(const Point *p) const = 0; virtual Point *clone() const = 0; virtual double length() const = 0; virtual ostream & show(ostream &os) const = 0; }; // if you put translate inside Point, you loose precision on the returned type // the only solution is to have it standalone outside of any class template P *translate(const P *p, double x) { P *pp = p->clone(); pp->x += x; return pp; } struct Point2d : Point { double y; Point2d(double x, double y) : Point(x), y(y) {} Point2d *clone() const { return new Point2d(x, y); } Point2d *add(const Point2d *p) const { return new Point2d(x + p->x, y + p->y); } Point *wrapped_add(const Point *p) const { // here, p *must* be a Point2d // to ensure it, wrapped_add should be "protected:" return add(static_cast(p)); } double length() const { return sqrt(x*x + y*y); } ostream & show(ostream &os) const { return os << "[" << x << ", " << y << "]"; } }; struct Point3d : Point { double y, z; Point3d(double x, double y, double z) : Point(x), y(y), z(z) {} Point3d *clone() const { return new Point3d(x, y, z); } Point3d *add(const Point3d *p) const { return new Point3d(x + p->x, y + p->y, z + p->z); } Point *wrapped_add(const Point *p) const { // here, p *must* be a Point3d // to ensure it, wrapped_add should be "protected:" return add(static_cast(p)); } double length() const { return sqrt(x*x + y*y + z*z); } ostream & show(ostream &os) const { return os << "[" << x << ", " << y << ", " << z << "]"; } }; ostream& operator<<(ostream& os, const Point &p) { return p.show(os); } template ostream& test(ostream &os, const P *p) { return os << p->length() << ", " << *translate(p, 1); } templateP *twice(const P *p) { return p->add(p); } int main() { Point2d *p2d = new Point2d(3, 4); Point3d *p3d = new Point3d(1, 2, 2); vector l; l.push_back(p2d); l.push_back(p3d); test(cout, p2d) << " "; test(cout, p3d) << " "; for (vector::iterator p = l.begin(); p != l.end(); p++) cout << (*p)->length() << " "; cout << endl; // after translate, we still have a Point3d cout << translate(p3d, 1)->z << endl; // translate(p2d, 1)->z is not accepted cout << *twice(p2d) << " " << *twice(p3d) << " "; for (vector::iterator p = l.begin(); p != l.end(); p++) cout << *twice(*p) << " "; cout << endl; //cout << p3d->add(p2d); //cout << p2d->add(p3d); // BUT ((Point*) p3d)->add(p2d) and ((Point*) p2d)->add(p3d) are disallowed at runtime // after twice, we still have a Point3d cout << twice(p3d)->z << endl; // twice(p2d)->z is not accepted }