##题目3字符串替换 ###题目描述 编写一个程序实现将字符串中的所有'you"替换成”we"###题目要求 一采用STL中string类型实现 输入输出格式 ###输入格式 输入包含多行数据 每行数据是个字符串, 长度不超过 1000
时间: 2024-03-24 10:37:53 浏览: 77
以下是使用 C++ STL 中的 string 类型实现字符串替换的代码:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
string line;
while (getline(cin, line)) { // 逐行读取输入
int pos;
while ((pos = line.find("you")) != string::npos) { // 查找字符串中的 "you"
line.replace(pos, 3, "we"); // 替换为 "we"
}
cout << line << endl; // 输出替换后的字符串
}
return 0;
}
```
在上面的代码中,我们使用了 `getline(cin, line)` 逐行读取输入,并使用 `line.find("you")` 查找字符串中的 "you",如果找到了,则使用 `line.replace(pos, 3, "we")` 替换为 "we",其中 `pos` 是 "you" 在字符串中的位置,`3` 是 "you" 的长度。最后使用 `cout` 输出替换后的字符串。
注意:由于输入包含多行数据,因此我们使用 `while (getline(cin, line))` 不断读取输入,直到读到文件末尾为止。
阅读全文