3

一个伪代码(这是我的课):

struct cTileState   {
        cTileState(unsigned int tileX, unsigned int tileY, unsigned int texNr) : tileX(tileX), tileY(tileY), texNr(texNr) {}
        unsigned int tileX;
        unsigned int tileY;
        unsigned int texNr;

        bool operator==(const cTileState & r)
        {
            if (tileX == r.tileX && tileY == r.tileY && texNr == r.texNr) return true;
            else return false;
        }
    };

然后我有两个容器:

       std::list < std::vector <cTileState> > changesList;  //stores states in specific order
       std::vector <cTileState> nextState;

在程序的某个地方,我想在我的状态交换函数中这样做:

      if (nextState == changesList.back()) return;

但是,当我想编译它时,我会遇到一些对我来说毫无意义的错误,例如:

/usr/include/c++/4.7/bits/stl_vector.h:1372:58: 来自 'bool std::operator==(const std::vector<_Tp, _Alloc>&, const std::vector<_Tp, _Alloc>&) [with _Tp = cMapEditor::cActionsHistory::cTileState; _Alloc = std::allocator]'</p>

错误:传递 'const cMapEditor::cActionsHistory::cTileState' 作为 'bool cMapEditor::cActionsHistory::cTileState::operator==(const cMapEditor::cActionsHistory::cTileState&)' 的 'this' 参数丢弃限定符 [-fpermissive]

它说 stl_vector.h 中有问题,并且我不尊重 const 限定符,但老实说,没有我不尊重的 const 限定符。这里有什么问题?

更重要的是,ide 不会在我的文件中的任何特定行中显示错误 - 它只是显示在构建日志中,仅此而已。

4

1 回答 1

6

您需要创建您的成员函数const,以便它接受一个const this参数:

bool operator==(const cTileState & r) const
                                      ^^^^^

更好的是,让它成为一个免费功能:

bool operator==(const cTileState &lhs, const cTileState & rhs)

使成员函数const大致对应于constin const cTileState &lhs,而非常量成员函数将具有cTileState &lhs等价物。错误指向的函数尝试使用const第一个参数调用它,但您的函数只接受非常量参数。

于 2013-01-12T09:05:46.897 回答