std::string 和std::string拼接
时间: 2024-02-28 13:50:57 浏览: 106
拼接字符串
std::string是C++标准库中的一个类,用于表示字符串。它提供了许多成员函数和操作符,可以方便地进行字符串的操作和处理。
要进行std::string的拼接,可以使用"+"操作符或者使用成员函数append()来实现。下面是两种方法的示例:
1. 使用"+"操作符:
```cpp
std::string str1 = "Hello";
std::string str2 = "World";
std::string result = str1 + " " + str2;
```
在上述示例中,使用"+"操作符将两个std::string对象连接起来,并将结果赋值给另一个std::string对象result。最终的结果是"Hello World"。
2. 使用成员函数append():
```cpp
std::string str1 = "Hello";
std::string str2 = "World";
str1.append(" ").append(str2);
```
在上述示例中,使用成员函数append()将一个std::string对象连接到另一个std::string对象的末尾。通过连续调用append()函数,可以实现多个std::string的拼接。最终的结果是"Hello World"。
需要注意的是,使用"+"操作符进行拼接时,会创建一个新的std::string对象来保存拼接后的结果。而使用append()函数则是在原有的std::string对象上进行修改。
阅读全文