如何遍历一个 unordered_map?
时间: 2023-11-01 20:59:35 浏览: 94
Map遍历方法
要遍历一个 unordered_map,你可以使用迭代器来访问其中的每个键值对。以下是一种常用的方法:
```c++
#include <iostream>
#include <unordered_map>
int main() {
std::unordered_map<int, std::string> myMap = {{1, "one"}, {2, "two"}, {3, "three"}};
// 使用迭代器遍历 unordered_map
for (auto it = myMap.begin(); it != myMap.end(); ++it) {
std::cout << "Key: " << it->first << ", Value: " << it->second << std::endl;
}
return 0;
}
```
在上面的代码中,我们首先创建了一个 unordered_map `myMap`,其中包含一些键值对。然后,我们使用 for 循环和迭代器来遍历该 unordered_map。通过 `it->first` 和 `it->second` 可以访问当前迭代器指向的键和值。
阅读全文