我有一个这样的数据结构:map<string, map<string, map<string, MyObj>>>
现在,我有多个函数,它们都使用相同的 for 循环方法:
for (auto p1 : myMap)
for (auto p2 : p1.second)
for (auto p3 : p2.second)
doThingsWith(p1, p2, 3);
函数之间的doThingsWith(p1, p2, p3)
差异以及 for 循环之前和之后的代码。此外,一些函数例如只需要访问MyObj
对象,而另一些函数需要访问所有字符串键以及MyObj
对象。
那么,问题是,是否有任何方法可以在不损失性能的情况下对其进行概括?我想出了一个返回元组向量的函数:
vector<tuple<string, string, string, MyObj>> getData(... &myMap)
{
vector<tuple<string, string, string, MyObj>> data;
for (auto p1 : myMap)
for (auto p2 : p1.second)
for (auto p3 : p2.second)
data.push_back(tuple<string, string, string, MyObj>(
p1.first, p2.first, p3.first, p3.second
));
return data;
}
现在我的函数可以使用这个:
for (auto t : getData(myMap))
doThingsWith(get<0>(t), get<1>(t), get<2>(t), get<3>(t));
但这不必要地构造了很多元组和向量,因为myMap
它很大。
有没有更好的办法?在 Python 中,我可以使用生成器,但我不知道 C++ 等价物:
def iterTuples(myMap):
for k1, v1 in myMap.items():
for k2, v2 in v1.items():
for k3, v3 in v2.items():
yield k1, k2, k3, v3
for k1, k2, k3, val in iterTuples(myMap):
doThingsWith(k1, k2, k3, val)