unordered_set和unordered_map的基本使用
时间: 2023-10-12 18:11:08 浏览: 106
map的基本用法
unordered_set和unordered_map是C++ STL中的容器,它们都是使用哈希表实现的,因此对于查找和插入操作来说,它们的时间复杂度为O(1)。
unordered_set是一个集合容器,其中存储的元素是唯一的,没有重复的元素。unordered_set中的元素是无序的,即元素在集合中的位置是随机的。
unordered_map是一个关联容器,其中存储的元素是成对的键值对。unordered_map中的元素是无序的,即键值对在容器中的位置是随机的。
unordered_set和unordered_map的基本用法如下:
unordered_set的定义和使用:
```c++
#include<unordered_set>
using namespace std;
int main()
{
unordered_set<int> s; // 定义一个unordered_set
s.insert(2); // 在集合中插入元素
s.insert(3);
s.insert(4);
s.erase(3); // 从集合中删除元素
if(s.count(2)) // 判断元素是否在集合中
cout<<"2 is in the set"<<endl;
for(auto x:s) // 遍历集合
cout<<x<<" ";
return 0;
}
```
unordered_map的定义和使用:
```c++
#include<unordered_map>
using namespace std;
int main()
{
unordered_map<int,string> m; // 定义一个unordered_map,键为int类型,值为string类型
m[1] = "one"; // 插入键值对
m[2] = "two";
m[3] = "three";
m.erase(2); // 删除键值对
if(m.count(1)) // 判断键是否在unordered_map中
cout<<"1 is in the map"<<endl;
for(auto x:m) // 遍历unordered_map
cout<<x.first<<" "<<x.second<<endl;
return 0;
}
```
阅读全文