package Lab2;
//任务要求:在包Lab2中创建一个名为Lab2_1的类,统计从对键盘输入的一大段内容中所有不同符号的个数(可能字母数字或其他符号,其中字母不分大小写)。
//输出格式: A 5 C 2 * 3 ……
import java.util.HashMap;
import java.util.Map;
/*
思路:
1.键盘录入一个字符串
2.创建HashMap集合,键是Character,值是Integer
3.遍历字符串,得到每一个字符串
4.拿得到的每一个字符作为键到HashMap集合中去找对应的值,看其返回值
如果返回值是null,说明该字符在HashMap集合中不存在,就把该字符作为键,1作为储存值
如果返回的不是null,说明该字符在HashMap集合中存在,把该值加1,然后重新存储该字符和对应的值
5.遍历HashMap集合,得到键和值,按照要求进行拼接
6.输出结果
*/
import java.util.Scanner;
import javax.swing.text.StyledEditorKit.ForegroundAction;
public class Lab2_1 {
public static void main(String[] args)
{
System.out.println("请输入字符串:");
Scanner sc=new Scanner(System.in);
String str1=sc.next();
HashMap<Character,Integer>h=new HashMap<>();
char cc[]=str1.toCharArray();
for(char c:cc)
{
if(c>='a'&&c<='z') {c-=32;}//先将小写字母转换为大写
if(h.containsKey(c))
{
Integer count=h.get(c);
count++;
h.put(c, count);
}else {
h.put(c,1);
}
}
System.out.println(h); //直接输出
//遍历h集合,按格式输出
for(Character key:h.keySet()) {
Integer value=h.get(key);
System.out.println(key+" "+value);
}
}
}