加入 Gitee
与超过 1200万 开发者一起发现、参与优秀开源项目,私有仓库也完全免费 :)
免费加入
文件
克隆/下载
面向对象11.18第三题.cpp 2.49 KB
一键复制 编辑 原始数据 按行查看 历史
#include <iostream>
#include <cstring> // 为了 strlen 和 strcpy 等函数
class MyString {
private:
char* str; // 动态字符数组
size_t length; // 字符串长度
public:
// 构造函数
MyString(const char* input = "") {
length = strlen(input);
str = new char[length + 1]; // +1 是为了存储结束符 '\0'
strcpy(str, input);
}
// 拷贝构造函数
MyString(const MyString& other) {
length = other.length;
str = new char[length + 1];
strcpy(str, other.str);
}
// 析构函数
~MyString() {
delete[] str; // 释放动态字符数组
}
// 计算字符串长度
size_t getLength() const {
return length;
}
// 字符串拼接
void concat(const MyString& other) {
size_t newLength = length + other.length;
char* newStr = new char[newLength + 1]; // +1 为结束符
strcpy(newStr, str);
strcat(newStr, other.str); // 将 other 字符串拼接到 newStr
delete[] str; // 释放旧的字符数组
str = newStr; // 更新指针
length = newLength; // 更新长度
}
// 字符串大小比较
int compare(const MyString& other) const {
return strcmp(str, other.str); // 返回比较结果
}
// 字符查找
int find(char ch) const {
for (size_t i = 0; i < length; ++i) {
if (str[i] == ch) {
return i; // 返回查找字符的位置
}
}
return -1; // 未找到返回 -1
}
// 字符替换
void replace(char oldChar, char newChar) {
for (size_t i = 0; i < length; ++i) {
if (str[i] == oldChar) {
str[i] = newChar; // 替换字符
}
}
}
// 打印字符串
void print() const {
std::cout << str << std::endl;
}
};
int main() {
MyString str1("Hello");
MyString str2(" World");
// 输出字符串长度
std::cout << "str1 的长度: " << str1.getLength() << std::endl;
// 字符串拼接
str1.concat(str2);
std::cout << "拼接后的字符串: ";
str1.print(); // 输出拼接后的字符串
// 字符串比较
MyString str3("Hello World");
std::cout << "str1 和 str3 比较结果: " << str1.compare(str3) << std::endl;
// 字符查找
char ch = 'o';
std::cout << "字符 '" << ch << "' 在 str1 中的位置: " << str1.find(ch) << std::endl;
// 字符替换
str1.replace('o', 'O');
std::cout << "替换后的字符串: ";
str1.print(); // 输出替换后的字符串
return 0;
}
马建仓 AI 助手
尝试更多
代码解读
代码找茬
代码优化