淺拷貝和深拷貝是針對對象的拷貝操作而言的。
淺拷貝:淺拷貝是指僅僅拷貝對象的值,而不拷貝對象所指向的內存。這樣,在拷貝對象和原始對象中會有一個指針指向同一塊內存。如果拷貝對象和原始對象中的指針指向的內存被釋放,那么兩個對象將指向同一塊無效內存,可能會導致程序出錯。
實現淺拷貝的方式主要有兩種:
class MyClass {
public:
int *data;
int size;
// 默認的拷貝構造函數
MyClass(const MyClass& other) {
size = other.size;
data = other.data;
}
// 默認的賦值運算符
MyClass& operator=(const MyClass& other) {
if (this != &other) {
size = other.size;
data = other.data;
}
return *this;
}
};
class MyClass {
public:
int *data;
int size;
// 自定義的拷貝構造函數
MyClass(const MyClass& other) {
size = other.size;
data = other.data;
}
// 自定義的賦值運算符
MyClass& operator=(const MyClass& other) {
if (this != &other) {
size = other.size;
data = other.data;
}
return *this;
}
};
深拷貝:深拷貝是指在拷貝對象時,會重新分配一塊內存,并將原始對象所指向的內存內容拷貝到新的內存中。這樣,在拷貝對象和原始對象中就沒有指針指向同一塊內存,修改拷貝對象不會影響原始對象。
實現深拷貝的方式主要有兩種:
class MyClass {
public:
int *data;
int size;
// 自定義的拷貝構造函數
MyClass(const MyClass& other) {
size = other.size;
data = new int[size];
std::copy(other.data, other.data + size, data);
}
// 自定義的賦值運算符
MyClass& operator=(const MyClass& other) {
if (this != &other) {
size = other.size;
delete[] data;
data = new int[size];
std::copy(other.data, other.data + size, data);
}
return *this;
}
// 析構函數
~MyClass() {
delete[] data;
}
};
class MyClass {
public:
std::shared_ptr<int> data;
int size;
// 自定義的拷貝構造函數
MyClass(const MyClass& other) {
size = other.size;
data = std::make_shared<int[]>(size);
std::copy(other.data.get(), other.data.get() + size, data.get());
}
// 自定義的賦值運算符
MyClass& operator=(const MyClass& other) {
if