对象是否支持移动构造对std::move(移动语义)的影响
1.std::move
的作用:
std::move
本身只是一个类型转换操作。它将一个左值表达式转换为一个右值引用表达式。 重要的是要理解 std::move
不执行任何实际的移动操作。 它只是使对象能够被移动。
2.移动语义依赖于移动构造函数/移动赋值运算符:
移动语义的真正实现依赖于类是否定义了移动构造函数和移动赋值运算符。 当你将一个对象“移动”时,你通常是希望:
-
- 资源(例如动态分配的内存)的所有权从源对象转移到目标对象。
- 源对象处于一个有效的、但未定义的状态(通常,它的资源指针会被置空)。
3.如果类没有移动构造函数,并且你对该类的对象使用 std::move
,那么将会调用拷贝构造函数。 这是因为右值引用可以绑定到 const
左值引用,拷贝构造函数通常接受 const
左值引用作为参数。 在这种情况下,不会发生真正的移动,而是执行拷贝操作。 性能上不如移动构造函数好,但代码仍然是正确的。
注意:C++ 的基础类型(例如 int
、float
、double
、bool
等)天生就支持移动语义,或者更准确地说,它们在赋值或复制时的行为类似于移动操作。 这是因为基础类型的复制成本很低,直接复制内存即可,没有资源所有权转移的问题。
例子:
#include <iostream> #include <string> #include <utility> class MyString { public: std::string data; // 构造函数 MyString(const std::string& str) : data(str) { std::cout << "Constructor called\n"; } // 拷贝构造函数 MyString(const MyString& other) : data(other.data) { std::cout << "Copy constructor called\n"; } // 移动构造函数 MyString(MyString&& other) : data(std::move(other.data)) { std::cout << "Move constructor called\n"; } // 赋值运算符 MyString& operator=(const MyString& other) { data = other.data; std::cout << "Assignment operator called\n"; return *this; } // 移动赋值运算符 MyString& operator=(MyString&& other) { data = std::move(other.data); std::cout << "Move assignment operator called\n"; return *this; } }; int main() { MyString str1("Hello"); // 构造函数 MyString str2 = std::move(str1); // 移动构造函数 MyString str3("World"); // 构造函数 str3 = std::move(str2); // 移动赋值运算符 return 0; }
分类:
C++ 11
【推荐】国内首个AI IDE,深度理解中文开发场景,立即下载体验Trae
【推荐】编程新体验,更懂你的AI,立即体验豆包MarsCode编程助手
【推荐】抖音旗下AI助手豆包,你的智能百科全书,全免费不限次数
【推荐】轻量又高性能的 SSH 工具 IShell:AI 加持,快人一步
· 分享4款.NET开源、免费、实用的商城系统
· 全程不用写代码,我用AI程序员写了一个飞机大战
· MongoDB 8.0这个新功能碉堡了,比商业数据库还牛
· 白话解读 Dapr 1.15:你的「微服务管家」又秀新绝活了
· 上周热点回顾(2.24-3.2)
2021-02-08 Codeforces Round #700 (Div. 2) B. The Great Hero