当前位置:   article > 正文

深浅拷贝以及解决浅拷贝(以string浅拷贝为例)_浅拷贝在哪种情况下会带来哪些问题?应该如果解决?

浅拷贝在哪种情况下会带来哪些问题?应该如果解决?

一、什么是浅拷贝

        在类和对象的时候,其中编译器生成的默认拷贝构造函数中,内置类型是按照字节方式直接拷贝的,而自定义类型是调用其拷贝构造函数完成拷贝的。

默认的拷贝构造函数对象按内存存储按字节序完成拷贝,这种拷贝叫做浅拷贝,或者值拷贝

        浅拷贝:也称位拷贝/值拷贝,编译器只是将对象中的值拷贝过来。如果对象中管理资源,最后就会导致多个对象共 享同一份资源,当一个对象销毁时就会将该资源释放掉,而此时另一些对象不知道该资源已经被释放,以为还有效,所以当继续对资源进项操作时,就会发生发生了访问违规。

下面代码+图解释一下:

  1. #include <iostream>
  2. using namespace std;
  3. namespace HK
  4. {
  5. class string
  6. {
  7. public:
  8. string(const char* str = "")
  9. {
  10. _str = new char[strlen(str) + 1];
  11. strcpy(_str, str);
  12. }
  13. ~string()
  14. {
  15. if (_str)
  16. {
  17. delete[] _str;
  18. _str = nullptr;
  19. }
  20. }
  21. private:
  22. char* _str;
  23. };
  24. }
  25. int main()
  26. {
  27. HK::string s1("hello");
  28. HK::string s2(s1);
  29. return 0;
  30. }

上面代码中,在我自己的命名空间里面,string 类里面显示写了构造和析构,拷贝构造和赋值都没写,默认生成的对内置类型完成值拷贝,这里的 char* 就是内置类型。(int char short 等等常见的类型以及指针都是内置类型)

那么浅拷贝是什么样,如下图:

注意看,s2 拷贝 s1 地址都是一样的,析构的时候,s2 析构之后有没有发现 s1 的也被析构了?

因为 s2 和 s1 指向同一地址,如下图:

 

所以析构的时候,也会影响另一个。

那么怎么解决?

        可以采用深拷贝解决浅拷贝问题,即:每个对象都有一份独立的资源,不要和其他对象共享。

二、什么是深拷贝

        深拷贝∶给每个对象独立分配资源,保证多个对象之间不会因共享资源而造成多次释放造成程序奔溃问题。

下面代码+图解释:

  1. #include <iostream>
  2. using namespace std;
  3. namespace HK
  4. {
  5. class string
  6. {
  7. public:
  8. string(const char* str = "")
  9. {
  10. _str = new char[strlen(str) + 1];
  11. strcpy(_str, str);
  12. }
  13. string(const string& s)
  14. : _str(new char[strlen(s._str) + 1])
  15. {
  16. strcpy(_str, s._str);
  17. }
  18. string& operator=(const string& s)
  19. {
  20. if (this != &s)
  21. {
  22. char* pStr = new char[strlen(s._str) + 1];
  23. strcpy(pStr, s._str);
  24. delete[] _str;
  25. _str = pStr;
  26. }
  27. return *this;
  28. }
  29. ~string()
  30. {
  31. if (_str)
  32. {
  33. delete[] _str;
  34. _str = nullptr;
  35. }
  36. }
  37. private:
  38. char* _str;
  39. };
  40. }
  41. int main()
  42. {
  43. HK::string s1("hello");
  44. HK::string s2(s1);
  45. HK::string s3("world");
  46. HK::string s4 = s3;
  47. return 0;
  48. }

上面代码中,我显示写了拷贝和赋值,实现了深拷贝, 那么现在怎么样?如下:

 注意看上面的调试窗口, s2 拷贝之后的地址和 s1 是不一样的,s3 赋值给 s4,s4 和 s3 地址也是不一样的,下面截图出来,如下:

以上就是深浅拷贝。

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小小林熬夜学编程/article/detail/501722
推荐阅读
相关标签
  

闽ICP备14008679号