我有一张地图,其中包含以下数据:
id prev abundance thing
1573 -1 0 book
1574 1573 39 beds
1575 1574 41 tray
1576 1575 46 cups
我写的代码有:
struct Abund
{
int prev;
int abundance;
string thing;
}
map<int id, Abund*> oldMap;
我现在需要创建一个新的地图,如下所示:
id2 prev2 prevAbun next2 nextAbun thing2
1573 1574 39 book
1574 1573 0 1575 41 beds
1575 1574 39 1576 46 tray
1576 1575 41 cups
所以,为此,我创建了一个新的地图和新结构:
struct NewAbund
{
vector<int> prev2;
vector<int> prevAbun;
vector<int> next2;
vector<int> nextAbun;
string thing2;
NewAbund() :
prev2(0),
prevAbun(0),
next2(0),
nextAbun(0),
thing2() {}
NewAbund(
vector<int> nodeprev2,
vector<int> prev_cnt2,
vector<int> nodenext2,
vector<int> next_cnt2,
string node_thing2) :
prev2(nodeprev2), prevAbun(prev_cnt2), next2(nodenext2), nextAbun(next_cnt2), thing2(node_thing2) {}
}
NewAbund(const Abund& old)
{
thing2 = old.thing;
prev2.push_back(old.prev);
prevAbun.push_back(old.abundance);
}
map<int id, NewAbund*> newMap;
现在我完全迷失了如何将元素从一个地图填充到另一个地图。 :(
答案 0 :(得分:1)
您希望将旧地图(Abund
)中的元素填充到新地图(NewAbund
)的元素中。您需要做的第一件事是将Abund
个对象转换为NewAbund
个对象。这是通过添加新的构造函数NewAbund(const Abund& old)
struct NewAbund
{
vector<int> prev2;
vector<int> prevAbun;
vector<int> next2;
vector<int> nextAbun;
string thing2;
NewAbund(const Abund& old) {
//create a NewAbund using the old data
}
};
一旦我们有了将旧数据转换为新数据的方法,我们只需将旧地图中的所有内容移动到新地图,如下所示。
typedef map<int id, Abund*>::iterator iter;
iter it = oldMap.begin();
iter end = oldMap.end();
for(; it != end; ++it) {
newMap[it->first] = new NewAbund(*(it->second));
}