输入一行字符,统计其中有多少个单词,单词之间用空格隔开,c++
时间: 2023-12-26 13:09:48 浏览: 73
可以使用 C++ 的字符串流 stringstream 来实现单词的统计,具体代码如下:
```c++
#include <iostream>
#include <sstream>
using namespace std;
int countWords(string line) {
stringstream ss(line);
string word;
int count = 0;
while (ss >> word) {
count++;
}
return count;
}
int main() {
string line = "This is a test sentence.";
int wordCount = countWords(line);
cout << "There are " << wordCount << " words in the input line." << endl;
return 0;
}
```
该程序中的 countWords 函数接受一个字符串作为参数,返回该字符串中单词的个数。该函数首先使用 stringstream 对象 ss 来将输入字符串 line 进行分词,然后使用 while 循环遍历所有的单词,累计单词的数量并返回。在 main 函数中,我们传入一个测试用例字符串,并输出该字符串中单词的数量。
相关问题
c++输入一行字符,统计其中有多少个单词,每两个单词之间以空格隔开。
可以使用C++的string和stringstream库来实现输入一行字符并统计单词个数的功能。具体代码如下:
```cpp
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
int main() {
string line;
getline(cin, line); // 输入一行字符
stringstream ss(line); // 将字符串转换为stringstream对象
int wordCount = 0;
string word;
while (ss >> word) { // 每次读取一个单词
wordCount++;
}
cout << "单词个数为:" << wordCount << endl;
return 0;
}
```
以上代码中,我们首先使用getline函数读取一行字符,然后使用stringstream库将字符串转换为stringstream对象,方便我们按照空格分割字符串并统计单词个数。最后输出单词个数即可。
用 Dev-c++编写一个程序输入一行字符,统计其中有多少个单词。单词之间用一个或多个空格 分隔开。
以下是一个使用Dev-C++编写的程序,可以输入一行字符并统计其中的单词数目:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
string str;
int count = 0;
bool flag = true; // 标志位,表示是否在单词中
cout << "请输入一行字符:" << endl;
getline(cin, str);
for (int i = 0; i < str.length(); i++) {
if (str[i] == ' ') { // 遇到空格
flag = true;
} else if (flag) { // 进入新单词
count++;
flag = false;
}
}
cout << "该行字符中有 " << count << " 个单词。" << endl;
return 0;
}
```
该程序使用字符串类型存储输入的一行字符,使用计数器统计单词数目,使用标志位判断是否进入新的单词。在循环中遍历每个字符,遇到空格时将标志位设为 `true`,表示当前不在单词中,遇到非空格字符时检查标志位,如果为 `true`,则进入新的单词,同时将计数器加一,将标志位设为 `false`,表示当前在单词中。
注意:该程序只适用于单词之间用空格分隔的情况,对于其他分隔符可能需要进行修改。
阅读全文