std::rel_ops::operator!=,>,<=,>=
来自 cppreference.com
在头文件 <utility> 中定义 |
||
template< class T > bool operator!=( const T& lhs, const T& rhs ); |
(1) | (C++20 中已弃用) |
template< class T > bool operator>( const T& lhs, const T& rhs ); |
(2) | (C++20 中已弃用) |
template< class T > bool operator<=( const T& lhs, const T& rhs ); |
(3) | (C++20 中已弃用) |
template< class T > bool operator>=( const T& lhs, const T& rhs ); |
(4) | (C++20 中已弃用) |
给定类型为 T
的对象的 用户定义的 operator== 和 operator<,实现其他比较运算符的通常语义。
1) 以 operator== 的形式实现 operator!=。
2) 以 operator< 的形式实现 operator>。
3) 以 operator< 的形式实现 operator<=。
4) 以 operator< 的形式实现 operator>=。
内容 |
[编辑] 参数
lhs | - | 左侧参数 |
rhs | - | 右侧参数 |
[编辑] 返回值
1) 如果 lhs 与 rhs 不等于,则返回 true。
2) 如果 lhs 大于 rhs,则返回 true。
3) 如果 lhs 小于或等于 rhs,则返回 true。
4) 如果 lhs 大于或等于 rhs,则返回 true。
[编辑] 可能的实现
(1) operator!=
|
---|
namespace rel_ops { template<class T> bool operator!=(const T& lhs, const T& rhs) { return !(lhs == rhs); } } |
(2) operator>
|
namespace rel_ops { template<class T> bool operator>(const T& lhs, const T& rhs) { return rhs < lhs; } } |
(3) operator<=
|
namespace rel_ops { template<class T> bool operator<=(const T& lhs, const T& rhs) { return !(rhs < lhs); } } |
(4) operator>=
|
namespace rel_ops { template<class T> bool operator>=(const T& lhs, const T& rhs) { return !(lhs < rhs); } } |
[编辑] 注意
Boost.operators 提供了比 std::rel_ops
更通用的替代方案。
从 C++20 开始,std::rel_ops
已被弃用,取而代之的是 operator<=>。
[编辑] 示例
运行这段代码
#include <iostream> #include <utility> struct Foo { int n; }; bool operator==(const Foo& lhs, const Foo& rhs) { return lhs.n == rhs.n; } bool operator<(const Foo& lhs, const Foo& rhs) { return lhs.n < rhs.n; } int main() { Foo f1 = {1}; Foo f2 = {2}; using namespace std::rel_ops; std::cout << std::boolalpha << "{1} != {2} : " << (f1 != f2) << '\n' << "{1} > {2} : " << (f1 > f2) << '\n' << "{1} <= {2} : " << (f1 <= f2) << '\n' << "{1} >= {2} : " << (f1 >= f2) << '\n'; }
输出
{1} != {2} : true {1} > {2} : false {1} <= {2} : true {1} >= {2} : false