需求:
* 获取给定字符串中每个字符出现的次数
* 输出格式如下:a(1)b(2)c(3)
* 分析:根据map集合put()方法的返回值来做
* */
public class Demo1
{
public static void main(String[] args)
{
String s="dkhsfkdfhg";
getTimes(s);
}
public static void getTimes(String s)
{
//1.将字符串转换成字符数组
char[] ch=s.toCharArray();
//定义一个计数器
//2.遍历字符数组,定义一个map集合存储字符和其对应的出现次数
Map<Character,Integer> map=new HashMap<>();
for(char c : ch)
{
Integer i=map.put(c,1);
if(i!=null)
{
i++;
map.put(c, i);
}
}
for(Character c : map.keySet())
{
System.out.print(c+"("+map.get(c)+")");
}
}
}
|
|