任务描述:
输入一行字符(字符串长度不超过255),分别统计出其中英文字母、数字、空格和其他 字符的个数。(提示,空格ASCALL码值为32)
解决思路:
输入一字符串,先判断是否符合要求,利用 charAt( ) 方法一个个判断字符串中的每个字符是否符合对应的标准,可以直接用获取的字符去比较,也可以用 ASCII 值去比较
代码示例:
字符直接比较
package a4_2024_07;
import java.util.Scanner;
/**
* 字符串分类统计
* 输入一行字符(字符串长度不超过255),分别统计出其中英文字母、数字、空格和其他
* 字符的个数。(提示,空格ASCALL码值为32)
*/
public class j240724_2 {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
System.out.println("请输入字符串(字符串长度不超过255):");
String str = sc.nextLine();
if (str.isEmpty() || str.length() > 255) {
System.out.println("输入的字符串长度不符合要求,请重新输入!");
return;
}
int wordCount = 0;
int numCount = 0;
int spaceCount = 0;
int otherCount = 0;
for (int i = 0; i < str.length(); i++) {
char c = str.charAt(i);
if (c >= 'a' && c <= 'z' || c >= 'A' && c <= 'Z') {
wordCount++;
} else if (c >= '0' && c <= '9') {
numCount++;
} else if (c == ' ') {
spaceCount++;
} else {
otherCount++;
}
}
System.out.println("英文字母个数:" + wordCount);
System.out.println("数字个数:" + numCount);
System.out.println("空格个数:" + spaceCount);
System.out.println("其他个数:" + otherCount);
}
}
利用ACSII值比较
package a4_2024_07;
import java.util.Scanner;
/**
* 字符串分类统计
* 输入一行字符(字符串长度不超过255),分别统计出其中英文字母、数字、空格和其他
* 字符的个数。(提示,空格ASCALL码值为32)
*/
public class j240724_2 {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
System.out.println("请输入字符串:");
String str = sc.nextLine();
int wordCount = 0;
int numCount = 0;
int spaceCount = 0;
int otherCount = 0;
for (int i = 0; i < str.length(); i++) {
int asciiValue = (int) str.charAt(i);
if ((asciiValue >= 65 && asciiValue <= 90) || (asciiValue >= 97 && asciiValue <= 122)) { // A-Z or a-z
wordCount++;
} else if (asciiValue >= 48 && asciiValue <= 57) { // 0-9
numCount++;
} else if (asciiValue == 32) { // 空格
spaceCount++;
} else {
otherCount++;
}
}
System.out.println("英文字母个数:" + wordCount);
System.out.println("数字个数:" + numCount);
System.out.println("空格个数:" + spaceCount);
System.out.println("其他个数:" + otherCount);
}
}