用Java输入一行字符串,分别统计出其中英文字母、空格、数字和其它字符的个数
时间: 2023-11-25 13:29:16 浏览: 133
输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数
好的,以下是使用 Java 编写的程序,实现输入一行字符串,分别统计其中英文字母、空格、数字和其它字符的个数:
```java
import java.util.Scanner;
public class StringStatistics {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.print("请输入一行字符串:");
String string = scanner.nextLine();
int letters = 0, spaces = 0, digits = 0, others = 0;
for (int i = 0; i < string.length(); i++) {
char c = string.charAt(i);
if (Character.isLetter(c)) {
letters++;
} else if (Character.isWhitespace(c)) {
spaces++;
} else if (Character.isDigit(c)) {
digits++;
} else {
others++;
}
}
System.out.println("英文字母:" + letters);
System.out.println("空格:" + spaces);
System.out.println("数字:" + digits);
System.out.println("其它字符:" + others);
}
}
```
运行程序后,输入一行字符串,程序会输出其中英文字母、空格、数字和其它字符的个数。同样地,如果输入的字符串中包含中文等非英文字符,这些字符会被视为其它字符进行统计。
阅读全文