将std :: map数据复制到另一个地图

时间:2011-02-24 10:46:01

标签: c++ dictionary stl

我有一张像这样定义的地图

 struct A
 {
  int A;
  int B;
 };
 typedef map<int,A> Amap;

然后我Amap1,我想将其复制到Amap2

 A a....;
 Amap Amap1,Amap2;
 Amap1[1]=a1;
 Amap1[2]=a2;
 Amap1[3]=a3;
 Amap2.insert(Amap1.begin(), Amap1.end());

有时候这项工作正常,有时这只会复制键和值0.我的错误在哪里?

2 个答案:

答案 0 :(得分:38)

可以使用operator =或复制构造函数将一个地图复制到另一个地图。

E.g

map<X, Y> mp1; 
//fill mp1 with data
map<X, Y> mp2(mp1); //mp2 is a copy of mp1 (via copy-construction)
map<X, Y> mp3;
mp3 = mp2; // mp3 is also a copy of mp2 (via copy-assignment)

答案 1 :(得分:15)

假设Amap2为空,您上面发布的代码将正常运行。如果您尝试{/ 1}}一个键/值对已经拥有该键的insert,那么将保留旧值并丢弃新值。因此,如果你写

map

在某些情况下,您可能无法按预期复制所有内容,因为重复的密钥不会复制。

要将Amap2.insert(Amap1.begin(), Amap1.end()); 设置为Amap2,请考虑使用赋值运算符:

Amap1

但是,这会盲目地丢弃Amap2 = Amap1; 的内容,所以在这样做时要小心。

如果您想要做的是将Amap2中的所有键/值对以完全覆盖现有键/值对的方式添加到Amap2中,您可以使用以下逻辑执行此操作。这里的想法类似于mergesort背后的逻辑 - 我们将地图视为排序值的序列,然后将两者连续混合在一起:

Amap1

有了这个,你可以写

void MergeMaps(map<int, A>& lhs, const map<int, A>& rhs) {
    map<int, A>::iterator lhsItr = lhs.begin();
    map<int, A>::const_iterator rhsItr = rhs.begin();

    while (lhsItr != lhs.end() && rhsItr != rhs.end()) {
        /* If the rhs value is less than the lhs value, then insert it into the 
           lhs map and skip past it. */
        if (rhsItr->first < lhsItr->first) {
            lhs.insert(lhsItr, *rhsItr); // Use lhsItr as a hint.
            ++rhsItr;
        }
        /* Otherwise, if the values are equal, overwrite the lhs value and move both
           iterators forward. */
        else if (rhsItr->first == lhsItr->first) {
            lhsItr->second = rhsItr->second;
            ++lhsItr; ++rhsItr;
        }
        /* Otherwise the rhs value is bigger, so skip past the lhs value. */
        else
            ++lhsItr;

    }

    /* At this point we've exhausted one of the two ranges.  Add what's left of the
       rhs values to the lhs map, since we know there are no duplicates there. */
    lhs.insert(rhsItr, rhs.end());
}

MergeMaps(Amap1, Amap2); 中的所有键/值对复制到Amap2

希望这有帮助!