如何在c++中循环std::map ?我的地图被定义为:
std::map< std::string, std::map<std::string, std::string> >
例如,上面的容器保存的数据是这样的:
m["name1"]["value1"] = "data1";
m["name1"]["value2"] = "data2";
m["name2"]["value1"] = "data1";
m["name2"]["value2"] = "data2";
m["name3"]["value1"] = "data1";
m["name3"]["value2"] = "data2";
我如何通过这个映射循环并访问各种值?
老问题,但剩下的答案在c++ 11已经过时了-你可以使用一个基于范围的for循环,简单地做:
std::map<std::string, std::map<std::string, std::string>> mymap;
for(auto const &ent1 : mymap) {
// ent1.first is the first key
for(auto const &ent2 : ent1.second) {
// ent2.first is the second key
// ent2.second is the data
}
}
这应该比以前的版本干净得多,并避免了不必要的复制。
一些人倾向于用引用变量的明确定义来取代注释(如果不使用引用变量就会被优化掉):
for(auto const &ent1 : mymap) {
auto const &outer_key = ent1.first;
auto const &inner_map = ent1.second;
for(auto const &ent2 : inner_map) {
auto const &inner_key = ent2.first;
auto const &inner_value = ent2.second;
}
}