3

WinAPI にはPOINT構造体がありますが、これに代わるクラスを作成して、コンストラクターの値を設定したり、コンストラクターから値を設定したりできるようにしようとしていxますy。これは一言で説明するのは難しいです。

/**
 * X-Y coordinates
 */
class Point {
  public:
    int X, Y;

    Point(void)            : X(0),    Y(0)    {}
    Point(int x, int y)    : X(x),    Y(y)    {}
    Point(const POINT& pt) : X(pt.x), Y(pt.y) {}

    Point& operator= (const POINT& other) {
        X = other.x;
        Y = other.y;
    }
};

// I have an assignment operator and copy constructor.
Point myPtA(3,7);
Point myPtB(8,5);

POINT pt;
pt.x = 9;
pt.y = 2;

// I can assign a 'POINT' to a 'Point'
myPtA = pt;

// But I also want to be able to assign a 'Point' to a 'POINT'
pt = myPtB;

operator=を に代入できるようにオーバーロードすることは可能PointですPOINTか? または、これを達成するための他の方法はありますか?

4

3 に答える 3

4

Pointクラスにキャスト演算子を追加できます。

class Point {
  // as before
  ....
  operator POINT () const { 
    // build a POINT from this and return it
    POINT p = {X,Y};
    return p;
  }
}
于 2012-11-10T10:51:56.107 に答える
4

これは型変換演算子の仕事です:

class Point {
  public:
    int X, Y;

    //...

    operator POINT() const {
        POINT pt;
        pt.x = X;
        pt.y = Y;
        return pt;
    }
};
于 2012-11-10T10:53:07.853 に答える
0

変換演算子を使用:

class Point 
{
public:
   operator POINT()const
   {
       Point p;
       //copy data to p
       return p;
   }
};
于 2012-11-10T10:54:29.223 に答える