重载比较运算符可使自定义类型支持==、!=、等操作,可通过成员或非成员函数实现;以Point类为例,用成员函数重载==和!=实现坐标相等判断,通过!,基于

在C++中,重载比较运算符是为了让自定义类型(如类或结构体)的对象能够使用==、!=、、>、、>=等操作符进行比较。实现方式可以通过成员函数或非成员函数(通常为友元函数),具体选择取决于需求。
重载相等与不等运算符(== 和 !=)
以一个表示二维点的Point类为例:
class Point {
public:
int x, y;
Point(int x = 0, int y = 0) : x(x), y(y) {}
// 成员函数重载 ==
bool operator==(const Point& other) const {
return x == other.x && y == other.y;
}
// 成员函数重载 !=
bool operator!=(const Point& other) const {
return !(*this == other);
}
};
这里operator==直接比较两个点的坐标是否相等。operator!=通过复用==的结果取反实现,避免重复代码。
重载关系运算符(, =)
如果需要排序(比如放入std::set或使用std::sort),通常要重载:
立即学习“C++免费学习笔记(深入)”;
bool operator<(const Point& other) const {
if (x != other.x)
return x < other.x;
return y < other.y; // 按字典序比较
}
这个实现确保了严格的弱排序,适合STL容器使用。其他关系运算符可基于和==构建:
bool operator>(const Point& other) const {
return other < *this;
}
bool operator<=(const Point& other) const {
return !(*this > other);
}
bool operator>=(const Point& other) const {
return !(*this < other);
}
使用非成员函数重载(推荐用于对称性)
有时更推荐使用非成员函数,尤其是当希望支持隐式转换或保持接口对称时:
class Point {
// ...
public:
Point(int x = 0, int y = 0) : x(x), y(y) {}
// 声明为友元以便访问私有成员(如果x,y是private)
friend bool operator==(const Point& a, const Point& b);
friend bool operator<(const Point& a, const Point& b);
};
// 非成员函数定义
bool operator==(const Point& a, const Point& b) {
return a.x == b.x && a.y == b.y;
}
bool operator<(const Point& a, const Point& b) {
return std::tie(a.x, a.y) < std::tie(b.x, b.y); // 使用tie简化比较
}
使用std::tie可以简洁地实现字典序比较,特别适用于多个成员的情况。
基本上就这些。关键是要保证逻辑一致,比如a == b为真时,a 和b 都应为假。重载比较运算符后,你的类就能自然地融入标准算法和容器中了。











