使用java的while语句编写程序:输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数。
时间: 2023-09-28 16:05:45 浏览: 100
python 输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数 (示例)
5星 · 资源好评率100%
以下是使用 `while` 循环的 Java 代码实现:
```java
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.print("请输入一行字符:");
String str = scanner.nextLine();
int letterCount = 0;
int spaceCount = 0;
int digitCount = 0;
int otherCount = 0;
int i = 0;
while (i < str.length()) {
char c = str.charAt(i);
if (Character.isLetter(c)) {
letterCount++;
} else if (Character.isSpaceChar(c)) {
spaceCount++;
} else if (Character.isDigit(c)) {
digitCount++;
} else {
otherCount++;
}
i++;
}
System.out.println("字母个数为:" + letterCount);
System.out.println("空格个数为:" + spaceCount);
System.out.println("数字个数为:" + digitCount);
System.out.println("其他字符个数为:" + otherCount);
}
}
```
程序中使用 `while` 循环遍历字符串中的每个字符,根据字符的类型进行统计,最后输出各种字符的个数。
阅读全文