在multimap中,同一个键关联的元素必然相邻存放。基于这个事实,就可以将某个键对应的值一一输出。
1、使用find和count函数。count函数求出某个键出现的次数,find函数返回一个迭代器,指向第一个拥有正在查找的键的实例。
2、使用lower_bound(key)和upper_bound(key)
lower_bound(key)返回一个迭代器,指向键不小于k的第一个元素
upper_bound(key)返回一个迭代器,指向键不大于k的第一个元素
3、使用equat_range(key)
返回一个迭代器的pair对象,first成员等价于lower_bound(key),second成员等价于upper_bound(key)
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
|
#include <iostream>#include <string>#include <map>using namespace std; int main(){ multimap<string,int> m_map; string s("中国"),s1("美国"); m_map.insert(make_pair(s,50)); m_map.insert(make_pair(s,55)); m_map.insert(make_pair(s,60)); m_map.insert(make_pair(s1,30)); m_map.insert(make_pair(s1,20)); m_map.insert(make_pair(s1,10)); //方式1 int k; multimap<string,int>::iterator m; m = m_map.find(s); for(k = 0;k != m_map.count(s);k++,m++) cout<<m->first<<"--"<<m->second<<endl; //方式2 multimap<string,int>::iterator beg,end; beg = m_map.lower_bound(s1); end = m_map.upper_bound(s1); for(m = beg;m != end;m++) cout<<m->first<<"--"<<m->second<<endl; //方式3 beg = m_map.equal_range(s).first; end = m_map.equal_range(s).second; for(m = beg;m != end;m++) cout<<m->first<<"--"<<m->second<<endl; return 0;} |
本文详细介绍了如何在multimap中通过find、count、lower_bound、upper_bound和equat_range函数高效地遍历特定键对应的元素,并提供了具体的代码示例。
3783

被折叠的 条评论
为什么被折叠?



