在c++中,编写一程序,用string将两个字符串连接起来,结果取代第一个字符串
时间: 2024-09-18 07:00:47 浏览: 79
C++实现将一个字符串中的字符替换成另一个字符串的方法
在 C++ 中,你可以使用 `+` 运算符或者 `append()` 函数来合并两个字符串并替换原来的字符串。这里是一个例子,演示如何使用 `+` 运算符:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str1 = "Hello, ";
std::string str2 = "World!";
// 使用 + 运算符连接两个字符串
str1 += str2;
std::cout << "After concatenation: " << str1 << std::endl;
return 0;
}
```
在这个程序中,我们将 `"World!"` 添加到 `"Hello, "` 的末尾,然后输出新的字符串 `"Hello, World!"`。
如果你想使用 `append()` 函数,可以这样做:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str1 = "Hello, ";
std::string str2 = "World!";
// 使用 append() 函数连接两个字符串
str1.append(str2);
std::cout << "After concatenation: " << str1 << std::endl;
return 0;
}
```
两者的效果是一样的。
阅读全文