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
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
|
#include<iostream>
#include<string>
#include<map> //map和multimap为关联式容器,底层结构是用二叉树实现。
/*
map中所有元素都是pair
pair中第一个元素为key(键值),起到索引作用,第二个元素为value(实值)
所有元素都会根据元素的键值自动排序
map和multimap区别:
map不允许容器中有重复key值元素
multimap允许容器中有重复key值元素
*/
/*
m.size(); //返回容器中元素的数目
m.empty(); //判断容器是否为空
m.swap(st); //交换两个集合容器
m.insert( pair<T, T>(element) ); //在容器中插入元素。
m.clear(); //清除所有元素
m.erase(pos); //删除pos迭代器所指的元素,返回下一个元素的迭代器。
m.erase(begin, end); //删除区间[beg,end)的所有元素 ,返回下一个元素的迭代器。
m.erase(key); //删除容器中值为key的元素。
m.find(key); //查找key是否存在,若存在,返回该键的元素的迭代器;若不存在,返回set.end();
m.count(key); //统计key的元素个数
*/
/*
成对出现的数据,利用对组可以返回两个数据
pair<type, type> p ( value1, value2 );
*/
using namespace std;
void print_map(map<int, string> &m){
for(map<int, string>:: iterator it = m.begin(); it != m.end(); it++){
cout<< it->first << it->second << endl;
}
}
// map容器自动按key排序
int main(){
map<int, string> m;
int id = 0;
string name;
for(int i=0; i<5; i++){
cin>> id >> name;
m.insert(pair<int, string>(id, name));
}
map<int, string>:: iterator position = m.find(2);
if(position != m.end()){
cout<< position->first << " " << position->second << endl;
}
return 0;
}
|