string 字符串拼接
时间: 2023-10-05 21:05:09 浏览: 125
字符串拼接是将多个字符串连接在一起形成一个新的字符串。在 C++ 中,可以使用 "+" 运算符或者使用字符串对象的成员函数 `append()` 或者 `+=` 来完成字符串拼接。
示例代码:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str1 = "Hello";
std::string str2 = " World!";
// 使用 "+" 运算符进行字符串拼接
std::string result = str1 + str2;
std::cout << "Using '+' operator: " << result << std::endl;
// 使用 append() 成员函数进行字符串拼接
std::string result2 = str1.append(str2);
std::cout << "Using append() function: " << result2 << std::endl;
// 使用 "+=" 运算符进行字符串拼接
str1 += str2;
std::cout << "Using '+=' operator: " << str1 << std::endl;
return 0;
}
```
输出结果:
```
Using '+' operator: Hello World!
Using append() function: Hello World!
Using '+=' operator: Hello World!
```
以上代码演示了三种常用的字符串拼接方法,分别是使用 "+" 运算符、`append()` 成员函数和 "+=" 运算符。注意,如果要进行多次字符串拼接,建议使用 `append()` 或者 "+=",因为它们的效率更高。
阅读全文