我试图排序一个包含不可复制的或不可构造的对象(但是是可移植的)的向量,但我收到有关编译器无法找到有效的交换函数的错误.我认为有一个移动构造函数就够了.我在这里缺少什么?
class MyType { public: MyType(bool a) {} MyType(const MyType& that) = delete; MyType(MyType&& that) = default; }; int main(void) { vector<MyType> v; v.emplace_back(true); sort(v.begin(),v.end(),[](MyType const& l,MyType const& r) { return true; }); }
解决方法
您需要明确定义一个
move assignment operator,因为这是
std::sort
也尝试(不只是移动构造).请注意,编译器通过存在用户提供的复制构造函数以及存在用户提供的移动构造函数(即使它们被删除)来生成移动赋值运算符
is prohibited.例:
#include <vector> #include <algorithm> class MyType { public: MyType(bool a) {} MyType(const MyType& that) = delete; MyType(MyType&& that) = default; MyType& operator=(MyType&&) = default; // need this,adapt to your own need }; int main(void) { std::vector<MyType> v; v.emplace_back(true); std::sort(v.begin(),MyType const& r) { return true; }); }
slides Howard Hinnant(C 11中移动语义的主要贡献者)超级有用,以及第17项:了解Scott Meyers从Effective Modern C++开始的特殊成员函数生成.