C++ unordered_map删除
时间: 2023-10-12 15:07:47 浏览: 304
要删除C++中的unordered_map中的元素,你可以使用erase()函数。erase()函数接受一个迭代器作为参数,并删除该迭代器指向的键值对。
下面是一个示例代码,演示如何删除unordered_map中的元素:
```cpp
#include <iostream>
#include <unordered_map>
int main() {
std::unordered_map<int, std::string> my_map = {{1, "one"}, {2, "two"}, {3, "three"}};
// 删除键为2的元素
my_map.erase(2);
// 遍历unordered_map并打印剩余的键值对
for (const auto& pair : my_map) {
std::cout << pair.first
相关问题
c++unordered_map count
unordered_map 是 C++ STL 中的一个关联容器,用于存储键值对。count 函数用于返回指定键在容器中出现的次数,因为 unordered_map 中每个键只能出现一次,所以 count 函数的返回值只能是 0 或 1。
下面是一个使用 unordered_map count 函数的示例代码:
```c++
#include <iostream>
#include <unordered_map>
int main() {
std::unordered_map<std::string, int> myMap = {{"apple", 1}, {"banana", 2}, {"orange", 3}};
std::cout << "apple count: " << myMap.count("apple") << std::endl;
std::cout << "grape count: " << myMap.count("grape") << std::endl;
return 0;
}
```
输出结果为:
```
apple count: 1
grape count: 0
```
C++ unordered_map介绍
C++中的unordered_map是一种关联容器,它提供了一种将键映射到值的方式。它是基于哈希表实现的,因此可以在常数时间内进行插入、删除和查找操作。unordered_map中的键和值可以是任意类型,只要满足一些要求,例如具有可哈希性和相等性比较。
下面是一个使用unordered_map的示例:
```cpp
#include <iostream>
#include <unordered_map>
int main() {
std::unordered_map<std::string, int> myMap;
// 插入键值对
myMap["apple"] = 5;
myMap["banana"] = 2;
myMap["orange"] = 8;
// 访问值
std::cout << "The value of apple is: " << myMap["apple"] << std::endl;
// 查找键
if (myMap.find("banana") != myMap.end()) {
std::cout << "The value of banana is: " << myMap["banana"] << std::endl;
}
// 删除键值对
myMap.erase("orange");
// 遍历unordered_map
for (const auto& pair : myMap) {
std::cout << "Key: " << pair.first << ", Value: " << pair.second << std::endl;
}
return 0;
}
```
输出结果:
```
The value of apple is: 5
The value of banana is: 2
Key: apple, Value: 5
Key: banana, Value: 2
```
阅读全文