c++ map遍历删除
时间: 2023-12-24 12:06:09 浏览: 158
使用C++中的map容器,可以通过以下代码删除指定key值的元素:
```c++
#include <iostream>
#include <map>
int main() {
std::map<int, std::string> myMap = {{1, "one"}, {2, "two"}, {3, "three"}};
// 删除key为2的元素
myMap.erase(2);
// 遍历map
for (auto& pair : myMap) {
std::cout << pair.first << ": " << pair.second << std::endl;
}
return 0;
}
```
输出结果为:
```
1: one
3: three
```
其中,erase()函数用于删除指定key值的元素,其参数为要删除的key值。在上述代码中,我们删除了key为2的元素,最终输出结果中只剩下了key为1和3的元素。
相关问题
C++map 遍历和删除
遍历和删除C++的map可以使用迭代器进行操作。遍历可以使用for循环配合迭代器来实现,删除可以使用erase函数配合迭代器来删除指定元素。需要注意的是,在使用erase函数删除元素时,要注意迭代器的失效问题,所以在删除元素后要对迭代器进行适当的处理,使其指向正确的位置。
以下是C++中遍历和删除map的示例代码:
```cpp
std::map<Key, Value> myMap;
// 遍历map
for (auto it = myMap.begin(); it != myMap.end(); ++it) {
// 使用it访问键值对的键和值
Key key = it->first;
Value value = it->second;
// 进行相应的操作
}
// 删除指定元素
auto it = myMap.find(key); // 找到要删除的元素的迭代器
if (it != myMap.end()) {
myMap.erase(it); // 删除元素
}
```
c++ map 遍历
你可以使用迭代器来遍历 C++ 的 map。下面是一个示例代码:
```cpp
#include <iostream>
#include <map>
int main() {
std::map<int, std::string> myMap;
myMap[1] = "apple";
myMap[2] = "banana";
myMap[3] = "orange";
// 使用迭代器进行遍历
for (auto it = myMap.begin(); it != myMap.end(); ++it) {
std::cout << "Key: " << it->first << ", Value: " << it->second << std::endl;
}
return 0;
}
```
这段代码创建了一个 `map`,并添加了几个键值对。然后使用迭代器 `it` 遍历 `myMap`,输出每个键值对的信息。输出结果为:
```
Key: 1, Value: apple
Key: 2, Value: banana
Key: 3, Value: orange
```
阅读全文