Lecture 17 - Oct 13, 2023
Summary
In this lecture, we introduce how can we solve the issue of shallow copy constructors. We discuss when we need to write our own destructors, copy constructor and operator=
.
Last lecture
Copy constructor.
Today
Deep versus shallow constructors.
Recap default copy constructor
The default copy constructor copies all data members of an existing object.
In what cases do we need to implement our own copy constructor?
Problem. What happens when data members are pointers?
class MyString {
private:
int len;
char* buf;
public:
() { len = 0; buf = nullptr; }
MyString
(char* src) {
MyString= new chat[strlen(src) + 1];
buf (buf, src);
strcpy= strlen(src);
len }
void setString(char* src) {
if (buf != NULL) {
delete[] buf;
= new char[strlen(src) + 1];
buf (buf, src);
strcpy= strlen(src);
len }
}
// shallow copy
(const MyString& x) {
MyString= x.len;
len = x.buf;
buf }
};
Recall the diagram from lecture 16.
Solution. Deep copy.
::MyString(const MyString& src) {
MyString= new char[strlen(src.buf) + 1];
buf (buf, src.buf);
strcpy= src.len;
len }
int main() {
("Hello");
MyString a(a);
MyString b.setString("Oops"); // we change the string in a and b
breturn 0;
}
Rule of three
If a class requires one of the following, then it almost certainly needs all three.
- User-defined destructor.
- User-defined copy constructor.
- User-defined assignment operator
operator=
.
1-3 are given by default.
A deep destructor is needed for MyString
.
::~MyString() {
MyStringif (buf != nullptr) {
delete[] buf;
= nullptr;
buf }
}
Deep assignment is needed for MyString
.
& MyString::operator=(const MyString& src) {
MyString// if you do the operator= on the same object
if (this == &src) {
return *this;
}
delete[] buf;
= new char[strlen(src.buf) + 1];
buf (buf, src.buf);
strcpy= src.len;
len return *this;
}
Additional exercises
What if I want to compare two objects?
("Hello");
MyString a("world");
MyString b
if (a == b) {
<< "Strings are the same" << endl;
cout }
bool MyString::operator==(const MyString& rhs) {
return (strcmp(buf, rhs.buf) == 0);
}
How about ("hi" == a)
?
// define this as a friend function
bool operator==(char* lhs, const MyString& rhs) {
return (strcmp(lhs, rhs.buf) == 0);
}
Notes on confusing points
Similarities and differences between copy constructor and operator=
.