我可以将一个向量的内容移动到另一个向量的末尾吗?

时间:2013-08-10 06:11:08

标签: c++11 vector stl move-semantics

我想做以下事情(ab都是vector<my_moveable_type>):

a.insert(a.end(), b.begin(), b.end());

但我希望操作将b的元素移动到a而不是复制它们。我找到了std::vector::emplace,但这仅适用于单个元素,而不是范围。

可以这样做吗?

2 个答案:

答案 0 :(得分:9)

您可以使用std::make_move_iterator,以便访问迭代器返回rvalue引用而不是左值引用:

a.insert(a.end(), std::make_move_iterator(b.begin()), std::make_move_iterator(b.end()));

答案 1 :(得分:5)

有一个std::move算法似乎可以做你想要的。在以下代码中,源std::vector留有空字符串(向量大小不会改变)。

#include <algorithm>
#include <iostream>
#include <string>
#include <vector>

int main()
{
    std::vector<std::string> one{"cat", "dog", "newt"};
    std::vector<std::string> two;

    std::move(begin(one), end(one), back_inserter(two));

    std::cout << "one:\n";
    for (auto& str : one) {
        std::cout << str << '\n';
    }

    std::cout << "two:\n";
    for (auto& str : two) {
        std::cout << str << '\n';
    }
}

Working code at ideone.com