基于char *设计一个字符串类MyString。具有构造函数、析构函数、拷贝构造函数、重载运算符“+”、“=”、“+=”、“[]”等 尽可能地完善,使之能满足各种需求 。
时间: 2023-11-05 11:03:32 浏览: 222
好的,以下是我给您实现的MyString类的代码:
```cpp
#include <iostream>
#include <cstring>
class MyString {
public:
// 构造函数
MyString() {
str_ = new char[1];
str_[0] = '\0';
}
MyString(const char* str) {
size_t len = strlen(str);
str_ = new char[len + 1];
strcpy(str_, str);
}
// 拷贝构造函数
MyString(const MyString& other) {
size_t len = strlen(other.str_);
str_ = new char[len + 1];
strcpy(str_, other.str_);
}
// 析构函数
~MyString() {
delete[] str_;
}
// 重载运算符 =
MyString& operator=(const MyString& other) {
if (this == &other) {
return *this;
}
delete[] str_;
size_t len = strlen(other.str_);
str_ = new char[len + 1];
strcpy(str_, other.str_);
return *this;
}
// 重载运算符 +
MyString operator+(const MyString& other) const {
size_t len1 = strlen(str_);
size_t len2 = strlen(other.str_);
MyString res;
res.str_ = new char[len1 + len2 + 1];
strcpy(res.str_, str_);
strcat(res.str_, other.str_);
return res;
}
// 重载运算符 +=
MyString& operator+=(const MyString& other) {
size_t len1 = strlen(str_);
size_t len2 = strlen(other.str_);
char* new_str = new char[len1 + len2 + 1];
strcpy(new_str, str_);
strcat(new_str, other.str_);
delete[] str_;
str_ = new_str;
return *this;
}
// 重载运算符 []
char& operator[](int index) {
return str_[index];
}
// const 重载运算符 []
const char& operator[](int index) const {
return str_[index];
}
// 返回字符串长度
int length() const {
return strlen(str_);
}
// 返回字符串是否为空
bool empty() const {
return strlen(str_) == 0;
}
// 返回字符串的C风格指针
const char* c_str() const {
return str_;
}
friend std::ostream& operator<<(std::ostream& os, const MyString& str);
private:
char* str_;
};
// 重载运算符 <<
std::ostream& operator<<(std::ostream& os, const MyString& str) {
os << str.str_;
return os;
}
```
上述代码中,我们首先定义了默认构造函数和带参构造函数,分别用来构建空的MyString对象和指定了字符串的MyString对象。
接着,我们定义了拷贝构造函数,用来构建MyString对象的副本。需要注意的是,这里要使用深拷贝,即重新分配一块内存并复制原字符串内容。
然后,我们定义了析构函数,用来释放MyString对象所占用的内存。
接着,我们重载了运算符 =,使得MyString对象可以进行赋值操作。同样需要注意的是,这里也要进行深拷贝。
接下来,我们重载了运算符 + 和 +=,分别用来实现字符串拼接和字符串追加。需要注意的是,这里也要进行内存分配和复制操作。
然后,我们重载了运算符 [],使得MyString对象可以像数组一样使用下标访问其中的字符。
接着,我们定义了一些辅助函数,如 length、empty、c_str,分别用来返回字符串长度、判断字符串是否为空和返回字符串的C风格指针。
最后,我们定义了友元函数 operator<<,用来在输出流中输出MyString对象的内容。
以上就是我给您实现的MyString类,希望能够满足您的需求。如果您对我的实现还有什么疑问,可以随时向我提问。
阅读全文