比较运算符

这些运算符的参数是 lhsrhs

  • operator== 测试 lhsrhs 对上的两个元素是否相等。如果 lhs.first == rhs.firstlhs.second == rhs.second,则返回值为 true,否则为 false
std::pair<int, int> p1 = std::make_pair(1, 2);
std::pair<int, int> p2 = std::make_pair(2, 2);

if (p1 == p2)
    std::cout << "equals";
else
    std::cout << "not equal"//statement will show this, because they are not identical
  • operator!= 测试 lhsrhs 对上的任何元素是否不相等。如果 lhs.first != rhs.firstlhs.second != rhs.second,则返回值为 true,否则返回 false

  • operator< 测试是否 lhs.first<rhs.first,返回 true。否则,如果 rhs.first<lhs.first 返回 false。否则,如果 lhs.second<rhs.second 返回 true,否则返回 false

  • operator<= 返回 !(rhs<lhs)

  • operator> 返回 rhs<lhs

  • operator>= 返回 !(lhs<rhs)

    另一个容器对的例子。它使用 operator< 因为它需要对容器进行排序。

#include <iostream>
#include <utility>
#include <vector>
#include <algorithm>
#include <string>
 
int main()
{
    std::vector<std::pair<int, std::string>> v = { {2, "baz"},
                                                   {2, "bar"},
                                                   {1, "foo"} };
    std::sort(v.begin(), v.end());
 
    for(const auto& p: v) {
        std::cout << "(" << p.first << "," << p.second << ") ";
        //output: (1,foo) (2,bar) (2,baz)
    }
}