键盘录入一个字符串,要求统计字符串中每个字符串出现的次数
需求:键盘录入一个字符串,要求统计字符串中每个字符串出现的次数。
举例:键盘录入“aababcabcdabcde"
在控制台输出:“a(5)b(4)c(3)d(2)e(1)"
思路:
-
键盘录入一个字符串
-
创建HashMap集合,键是Character,值是Integer
-
遍历字符串,得到每一个字符
-
拿得到的每一个字符作为键到HashMap集合中去找对应的值,看其返回值
如果返回值是null:说明该字符在HashMap集合中不存在,就把该字符作为键,1作为值存储
如果返回值不是null:说明该字符在HashMap集合中存在,把该值加1,然后重新存储该字符和对应的值
-
遍历HashMap集合,得到键和值,按照要求进行拼接
-
输出结果
代码
import java.util.*;
public class Demo7 {
public static void main(String[] args) {
System.out.println("请输入一个字符串:");
// 键盘录入一个字符串
Scanner scanner = new Scanner(System.in);
String line = scanner.nextLine();
// 创建HashMap集合,键是Character,值是Integer
HashMap<Character, Integer> hashMap = new HashMap<>();
// 遍历字符串,得到每一个字符
for (int i = 0; i < line.length(); i++) {
char c = line.charAt(i);
// 拿得到的每一个字符作为键到HashMap集合中去找对应的值,看其返回值
Integer value = hashMap.get(c);
// 如果返回值是null:说明该字符在HashMap集合中不存在,就把该字符作为键,1作为值存储
if (value == null) {
hashMap.put(c, 1);
} else {
// 如果返回值不是null:说明该字符在HashMap集合中存在,把该值加1,然后重新存储该字符和对应的值
hashMap.put(c, ++value);
}
}
// 遍历HashMap集合,得到键和值,按照要求进行拼接
Set<Map.Entry<Character, Integer>> entries = hashMap.entrySet();
for (Map.Entry<Character, Integer> entry : entries){
Character key = entry.getKey();
Integer value = entry.getValue();
System.out.print(key+"("+value+")");
}
}
}