浅拷贝是一种简单的拷贝方式,仅仅是复制对象的基本类型成员和指针成员的值,而不复制指针所指向的内存。这可能会导致两个对象共享相同的资源,从而引发潜在的问题,如内存泄漏、意外修改共享资源等。一般来说编译器默认帮我们实现的拷贝构造函数就是一种浅拷贝。POD类型的数据就适合浅拷贝。
#include<iostream>
using namespace std;
class String
{
public:
String(const char* str_=nullptr)//普通构造函数
{
if (str_ == nullptr)
{
str = new char[1];
*str = '\0';
}
else
{
str = new char[strlen(str_) + 1];
strcpy(str, str_);
}
}
String(const String& other)
{
str = other.str;
}
String& operator=(const String& other)
{
str = other.str;
return *this;
}
~String()
{
delete[]str;
}
char* str;
};
int main()
{
String s1("hello world");
String s2(s1);
String s3;
s3 = s2;
cout << s3.str;
return 0;
}
深拷贝不仅复制对象的基本类型成员,还复制指针所指向的内存。因此,两个对象不会共享相同的资源,避免了潜在问题。深拷贝通常需要显式实现拷贝构造函数和赋值运算符重载。
#include<iostream>
using namespace std;
class String
{
public:
String(const char* str_=nullptr)//普通构造函数
{
if (str_ == nullptr)
{
str = new char[1];
*str = '\0';
}
else
{
str = new char[strlen(str_) + 1];
strcpy(str, str_);
}
}
String(const String&other)
{
str = new char[strlen(other.str) + 1];
strcpy(str, other.str);
}
String& operator=(const String& other)//之所以返回一个String类型是为了能够连续赋值,比如s1=s2=s3,返回引用而不是String,则是减少了临时变量创建的开销
{
str = new char[strlen(other.str) + 1];
strcpy(str, other.str);
return *this;
}
~String()
{
delete[]str;
}
char* str;
};
int main()
{
String s1("hello world");
String s2(s1);
String s3;
s3 = s2;
cout << s3.str;
return 0;
}