0

我有一段代码,它是方法定义

Move add(const Move & m) {
    Move temp;
    temp.x+= (m.x +this-x);
    temp.y+= (m.y + this->y);
    return temp;
}

这是类声明

class Move
{
private:
    double x;
    double y;
public:
    Move(double a=0,double b=0);
    void showMove() const;
    Move add(const Move & m) const;
    void reset(double a=0,double b=0);
};

它说

1>c:\users\filip\dysk google\c++\consoleapplication9\move.cpp(18): error C2248: 'Move::x' : cannot access private member declared in class 'Move'
1>          c:\users\filip\dysk google\c++\consoleapplication9\move.h(7) : see declaration of 'Move::x'
1>          c:\users\filip\dysk google\c++\consoleapplication9\move.h(5) : see declaration of 'Move'
1>          c:\users\filip\dysk google\c++\consoleapplication9\move.h(7) : see declaration of 'Move::x'
1>          c:\users\filip\dysk google\c++\consoleapplication9\move.h(5) : see declaration of 'Move'
1>c:\users\filip\dysk google\c++\consoleapplication9\move.cpp(18): error C2355: 'this' : can only be referenced inside non-static member functions
1>c:\users\filip\dysk google\c++\consoleapplication9\move.cpp(18): error C2227: left of '->x' must point to class/struct/union/generic type

与 Move::y 相同。Any1 知道那是什么?

4

1 回答 1

7

您需要addMove类范围内定义:

Move Move::add(const Move & m) const {
    Move temp;
    temp.x+= (m.x +this-x);
    temp.y+= (m.y + this->y);
    return temp;
}

否则,它被解释为非成员函数,无法访问Move的非公共成员。

请注意,您可以简化代码,假设两个参数构造函数集xy

Move Move::add(const Move & m) const {
    return Move(m.x + this-x, m.y + this->y);
}
于 2013-02-24T09:37:03.550 回答