比较运算符
这些运算符的参数是 lhs
和 rhs
operator==
测试lhs
和rhs
对上的两个元素是否相等。如果lhs.first == rhs.first
和lhs.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!=
测试lhs
和rhs
对上的任何元素是否不相等。如果lhs.first != rhs.first
或lhs.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)
}
}