这里有一个代码片段,我想从函数中获得unique_ptr的列表。尽管我已经向这个结构添加了Copy/move构造函数,但vs编译器仍然报告了一个c2280错误(试图引用一个已删除的函数(。有人知道发生了什么吗>?
#include<iostream>
#include<memory>
#include <list>
using namespace std;
struct info {
info() {
cout << "c" << endl;
}
~info() {}
info(const info&w) {
cout << "cc" << endl;
}
info(const info&&w) {
cout << "ccc" << endl;
}
info& operator==(const info&) {
cout << "=" << endl;
}
info& operator==(const info&&) {
cout << "==" << endl;
}
};
typedef unique_ptr<info> infop;
list<infop> test() {
list<infop> infopList;
info t,t1;
infop w = make_unique<info>(t);
infop w1 = make_unique<info>(t1);
infopList.push_back(w);
infopList.push_back(w1);
return infopList;
}
void main() {
list<infop> pl = test();
}
首先,您的move构造函数/move赋值运算符不应该将其参数作为const,这是没有意义的,当您move
时,您"窃取"了变量的成员,以实现其他变量的有效构造,当您从const移动时,您不能这样做。
问题是,您正在为结构info
创建复制/移动运算符,并且当您使用时
infopList.push_back(w);
infopList.push_back(w1);
您正在尝试复制unique_ptr<info>
,unique_ptr
没有复制构造函数,只有移动构造函数,您需要移动变量。
infopList.push_back(std::move(w));
infopList.push_back(std::move(w1));