现在请编写一个程序,输入多行字符串,直到遇到了单词 “stop” 时才停止。最后输出单词的数量。用于分割单词的空格或换行可能多于1个。请用c++进行编写,且一行可能有多个单词
时间: 2024-03-08 08:45:58 浏览: 77
判断字符串中的单词个数
4星 · 用户满意度95%
好的,以下是 C++ 的代码实现:
```cpp
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
int main() {
int count = 0; // 初始化单词数量为0
string line; // 定义字符串变量用于存储输入的每一行
while (getline(cin, line)) { // 使用 getline() 函数逐行读入输入
if (line == "stop") { // 如果输入的是“stop”,则停止循环
break;
}
stringstream ss(line); // 使用 stringstream 对每一行进行分割
string word;
while (ss >> word) { // 使用 >> 运算符将每个单词逐个读入并计数
count++;
}
}
cout << count << endl; // 输出单词数量
return 0;
}
```
这段代码中,我们使用 `getline()` 函数逐行读入输入,并将每一行存储在字符串变量 `line` 中。在每次读入一行后,我们可以使用 `stringstream` 类型对其进行分割,并使用 `>>` 运算符将每个单词逐个读入并计数。最后将单词数量累加到 `count` 变量中,并在循环结束后输出 `count` 即可。
阅读全文