重载==编译错误c ++

时间:2015-04-10 17:44:56

标签: c++ operator-overloading overloading

我创建了一个简单的struct命名coord来保持,坐标很好,我想检查两个coords是否相等,所以我看了如何在另一个线程中执行正确的运算符重载并得出这个:

#include <iostream>
using namespace std;

struct coord{
    int x;
    int y;

    inline bool operator==(const coord& lhs, const coord& rhs){
        if(lhs.x == rhs.x && lhs.y == rhs.y){
            return true;
        }
        else{
            return false;
        }
    }
};

int main(){
    coord a,b;
    a.x=5;
    a.y=5;
    b.x=a.x;
    b.y=a.y;
    if(a==b){
        cout<<"Working"<<endl;
    }
    return 0;
}

但是在编译时我得到一个看起来很像的大错误:

g++ -c -o obj/main.o main.cpp -I../include
main.cpp:8:62: error: ‘bool coord::operator==(const coord&, const coord&)’ must take exactly one argument
     inline bool operator==(const coord& lhs, const coord& rhs){
                                                          ^
main.cpp: In function ‘int main()’:
main.cpp:24:6: error: no match for ‘operator==’ (operand types are ‘coord’ and ‘coord’)
  if(a==b){
      ^
main.cpp:24:6: note: candidates are:
In file included from /usr/include/c++/4.9.2/iosfwd:40:0,
             from /usr/include/c++/4.9.2/ios:38,
             from /usr/include/c++/4.9.2/ostream:38,
             from /usr/include/c++/4.9.2/iostream:39,
             from main.cpp:1:
/usr/include/c++/4.9.2/bits/postypes.h:216:5: note: template<class _StateT> bool std::operator==(const std::fpos<_StateT>&, const std::fpos<_StateT>&)
     operator==(const fpos<_SenttateT>& __lhs, const fpos<_StateT>& __rhs)
     ^

这会继续作为‘coord’ is not derived from ‘const std::basic_string<_CharT, _Traits, _Alloc>’‘const std::allocator<_CharT>’等各种其他标准内容,整个错误为here it is on pastebin长。

我希望有人明白这里出了什么问题,可以向我解释

1 个答案:

答案 0 :(得分:5)

有几种方法可以解决这个问题:

会员功能

inline bool operator==(const coord& rhs) const {
    return (this->x == rhs.x && this->y == rhs.y);
}

使用时

if(a==b){

在对象a上调用该函数,函数的参数为​​b

非会员功能

这可以在struct coord的定义之外定义。

struct coord{
    int x;
    int y;
};

bool operator==(const coord& lhs, const coord& rhs){
   return (lhs.x == rhs.x && lhs.y == rhs.y);
}

使用时

if(a==b){

使用a lhsb rhs调用该函数。