如何正确的比较俩个结构体(对象)相等?为何不能使用mmecmp()?

正确方法:

#include 

using namespace std;

struct A
{
 char ch;
 int val;
 //  友元运算符重载函数
 friend bool operator==(const A &ob1, const A &ob2);
 //  成员运算符重载函数
 bool operator==(const A &rhs);
};

bool operator==(const A  &ob1, const A &ob2)
{
 return (ob1.ch == ob2.ch && ob1.val == ob2.val);
}

bool A::operator==(const A &rhs)
{
 return (ch == rhs.ch && val == rhs.val);
}

int main()
{
 struct s s1, s2;
 s1.a = 1;
 s1.b = 2;
 s2.a = 1;
 s2.b = 2;
 if (s1 == s2)
  cout << "两个结构体相等" << endl;
 else
  cout << "两个结构体不相等" << endl;
 return 0;
}

 

为什么不能用memcmp:
因为该函数是通过内存一字节一字节的比较内容来实现的,又因为struct存在内存对齐的问题,所以被填充的字节部分一般都是一些随机或者无效的内容,多少情况下内容都是不一样的,所以不能用内存比较函数。

你可能感兴趣的:(C/C++基础,c++,结构体,C)