c++中string类运算符重载加法
时间: 2023-07-15 19:15:20 浏览: 118
C++中`string`类已经重载了`+`运算符,因此可以直接使用`+`进行字符串的拼接。例如:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
string str1 = "Hello, ";
string str2 = "world!";
string str3 = str1 + str2;
cout << str3 << endl; // 输出:Hello, world!
return 0;
}
```
如果想要手动实现`+`运算符重载,可以使用以下代码:
```c++
#include <iostream>
#include <cstring>
using namespace std;
class MyString {
private:
char* m_data;
public:
MyString(const char* str = nullptr) {
if (str) {
m_data = new char[strlen(str) + 1];
strcpy(m_data, str);
} else {
m_data = new char[1];
*m_data = '\0';
}
}
MyString(const MyString& other) {
m_data = new char[strlen(other.m_data) + 1];
strcpy(m_data, other.m_data);
}
~MyString() {
delete[] m_data;
}
MyString operator+(const MyString& other) const {
MyString newStr;
newStr.m_data = new char[strlen(m_data) + strlen(other.m_data) + 1];
strcpy(newStr.m_data, m_data);
strcat(newStr.m_data, other.m_data);
return newStr;
}
friend ostream& operator<<(ostream& os, const MyString& str) {
os << str.m_data;
return os;
}
};
int main() {
MyString str1("Hello, ");
MyString str2("world!");
MyString str3 = str1 + str2;
cout << str3 << endl; // 输出:Hello, world!
return 0;
}
```
注意:以上代码只是一种实现方式,实际应用中应该使用`string`类自带的`+`运算符重载,因为它已经经过了严格的测试和优化。
阅读全文