当前位置:   article > 正文

C++移动构造与std::move()

C++移动构造与std::move()

首先推荐好书:

背景及问题

如下程序所示:
  1. #include<iostream>
  2. class MyString {
  3. public:
  4. MyString() = default;
  5. MyString(const char* data)
  6. {
  7. printf("%s", "MyString Constructed!!\n");
  8. size = strlen(data);
  9. m_data = new char[size];
  10. memcpy(m_data, data, size);
  11. }
  12. ~MyString()
  13. {
  14. if (m_data)
  15. {
  16. printf("%s", "MyString Destroyed!!\n");
  17. delete m_data;
  18. }
  19. }
  20. //copy constructor
  21. MyString(const MyString& other) noexcept
  22. {
  23. printf("%s", "MyString Copyed!!\n");
  24. size = other.size;
  25. m_data = new char[size];
  26. memcpy(m_data, other.m_data, size);
  27. }
  28. private:
  29. char* m_data;
  30. int size;
  31. };
  32. class Entity
  33. {
  34. public:
  35. //constructor
  36. Entity(const MyString& string):m_string(string) {}
  37. private:
  38. MyString m_string;
  39. };
  40. int main()
  41. {
  42. Entity entity("Hello");
  43. return 0;
  44. }

程序说明

程序定义了一个MyString类,其中构造函数和拷贝构造函数需要对传进来的字符串开辟空间并复制内容,另外一个Entity类含有一个MyString成员,并在初始化时复制传入的MyString对象。主程序Main中以常量字符串构造一个entity示例。

image

运行程序会发现,MyString构造了一次,拷贝一次,程序结束析构两次,符合运行逻辑。“Hello”字符串先通过构造函数构造一个临时变量MyString,临时变量再通过Entity内的构造函数拷贝构造给成员变量m_string

问题在于临时变量拷贝构造需要重新开辟空间,并且“用完即扔”,为什么不直接将“hello”构造好的MyString直接“移动”到Entity?这样会节省空间,提高效率。用此引出移动构造和std::move()

移动构造与std::move()

若要实现将临时变量移动到Entity,首先MyString要加入移动构造,如下:
  1. MyString(MyString&& other) noexcept
  2. {
  3. printf("%s", "MyString Moved!!\n");
  4. size = other.size;
  5. m_data = other.m_data;
  6. //clear origin data
  7. other.size = 0;
  8. other.m_data = nullptr;
  9. }

此为移动构造,接受的是一个右值,构造是直接复制原MyString的size与data,不重新开辟空间做深拷贝。并将原MyString清零。接着对Entity构造时使用std::move通知移动构造函数,如下:

	Entity(MyString&& string) :m_string(std::move(string)) {}

image

需要注意的是

1. Entity右值构造时也可不使用std::move,直接将参数强转为右值类型也可以,std::move相当于通知构造函数以移动构造的方式进行
Entity(MyString&& string) :m_string((MyString&&)string) {}

2. 对于形参为Const YourType &类型的既可以接受左值,也可以接受右值。但是使用std::move会编译错误,因为Const值不能被移动,所以Entity构造仍要单独写一个右值构造

3. MyString移动构造时,复制了临时数据的值还要对其清空,因为数据已经被移动,指针没有置空,析构两次会引起Crash问题
声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/花生_TL007/article/detail/640098
推荐阅读
相关标签
  

闽ICP备14008679号