3

我正在尝试合并两个向量unique_ptr(即std::move它们从一个向量到另一个向量)并且我一直遇到“使用已删除函数......”的错误文本墙。根据错误,我显然正在尝试使用unique_ptr已删除的复制构造函数,但我不知道为什么。下面是代码:

#include <vector>
#include <memory>
#include <algorithm>
#include <iterator>

struct Foo {
    int f;

    Foo(int f) : f(f) {}
};

struct Wrapper {
    std::vector<std::unique_ptr<Foo>> foos;

    void add(std::unique_ptr<Foo> foo) {
        foos.push_back(std::move(foo));
    }

    void add_all(const Wrapper& other) {
        foos.reserve(foos.size() + other.foos.size());

        // This is the offending line
        std::move(other.foos.begin(), 
                  other.foos.end(), 
                  std::back_inserter(foos));
    }
};

int main() {
    Wrapper w1;
    Wrapper w2;

    std::unique_ptr<Foo> foo1(new Foo(1));
    std::unique_ptr<Foo> foo2(new Foo(2));

    w1.add(std::move(foo1));
    w2.add(std::move(foo2));

    return 0;
}
4

1 回答 1

7

您正试图从一个常量Wrapper对象移动。通常,移动语义还要求您要离开的对象是可变的(即不是const)。在您的代码中,方法中other参数的类型是,因此也指的是一个常量向量,您不能离开它。add_allconst Wrapper&other.foos

更改other参数的类型Wrapper&以使其工作。

于 2016-04-24T15:33:14.983 回答