输入一行字符(少于300个字符),以回车结束,统计其中单词的个数。各单词之间用空格分隔,空格数可以是多个。java方法
时间: 2023-12-21 09:32:08 浏览: 118
以下是一个使用Java方法统计输入字符串中单词个数的示例:
```java
import java.util.Scanner;
public class WordCount {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.println("请输入一行字符:");
String input = scanner.nextLine();
int wordCount = countWords(input);
System.out.println("这个字符串有" + wordCount + "个单词");
}
public static int countWords(String input) {
String[] words = input.split("\\s+");
return words.length;
}
}
```
运行示例:
```
请输入一行字符:
This is a sample sentence.
这个字符串有5个单词
```
相关问题
输入一行字符(少于300个字符),以回车结束,统计其中单词的个数。各单词之间用空格分隔,空格数可以是多个。
以下是一个统计单词个数的Python程序示例:
```python
sentence = input("请输入一行字符:")
words = sentence.split()
word_count = len(words)
print("单词个数为:", word_count)
```
这个程序首先通过`input()`函数获取用户输入的一行字符,并将其赋值给变量`sentence`。然后,使用`split()`方法将`sentence`按照空格分割成一个单词列表`words`。最后,使用`len()`函数获取`words`列表的长度,即单词个数,并将结果打印出来。
10. 统计单词 输入一行字符,以回车结束,统计其中单词的个数。各单词之间用空格分隔,空格数可以是多个。 用C++实现
以下是使用 C++ 实现统计单词个数的代码示例:
```cpp
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
int countWords(string input) {
int count = 0;
stringstream ss(input);
string word;
while (ss >> word) {
count++;
}
return count;
}
int main() {
string input;
cout << "请输入一行字符:";
getline(cin, input);
int wordCount = countWords(input);
cout << "单词个数为:" << wordCount << endl;
return 0;
}
```
以上代码会提示用户输入一行字符,然后通过调用 `countWords()` 函数统计其中的单词个数。该函数使用 `std::stringstream` 来分割输入的字符串,并通过循环逐个读取单词,最后返回单词个数。注意,该代码假设单词之间用空格分隔。
阅读全文