比較運算子

這些運算子的引數是 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)
    }
}