C++ 程序在 STL 中实现多重映射
多重映射类似于映射,但不同之处在于多个元素可以具有相同的键。键值和映射值对在多重映射中必须唯一。
此处使用以下函数 -
mm::find() – 如果找到了带有键值“b”的元素,则返回到该元素的迭代器;如果没有找到,则返回到 end 迭代器。
mm::erase() – 从多重映射中删除键值。
mm:: equal_range() – 返回对的迭代器。该对引用包含一个范围的边界的范围,该范围包括容器中所有键与 key 等效的元素。
mm insert() – 在多重映射容器中插入元素。
mm size() – 返回多重映射容器中的元素数。
示例代码
#include<iostream> #include <map> #include <string> using namespace std; int main () { multimap<char, int> mm; multimap<char, int>::iterator it; mm.insert (pair<char, int>('a', 10)); mm.insert (pair<char, int>('b', 20)); mm.insert (pair<char, int>('b', 30)); mm.insert (pair<char, int>('a', 40)); cout<<"Size of the multimap: "<< mm.size() <<endl; cout << "Multimap contains:\n"; for (it = mm.begin(); it != mm.end(); ++it) cout << (*it).first << " => " << (*it).second << '\n'; for (char c = 'a'; c <= 'b'; c++) { cout << "There are " << mm.count(c) << " elements with key " << c << ":"; multimap<char, int>::iterator it; for (it = mm.equal_range(c).first; it != mm.equal_range(c).second; ++it) cout << ' ' << (*it).second; cout << endl; } it = mm.find('b'); mm.erase (it); cout<<"Size of the multimap: "<<mm.size()<<endl; cout << "Multimap contains:\n"; for (it = mm.begin(); it != mm.end(); ++it) cout << (*it).first << " => " << (*it).second << '\n'; return 0; }
输出
Size of the multimap: 4 Multimap contains: a => 10 a => 40 b => 20 b => 30 There are 2 elements with key a: 10 40 There are 2 elements with key b: 20 30 Size of the multimap: 3 Multimap contains: a => 10 a => 40 b => 30
广告