取出一个字符串中字母出现的次数。如:字符串:"abcdekka27qoq" ,输出格式为:a(2)b(1)k(2)...
* @author
*
*/
public class Test1 {
public static void main(String[] args){
String str = "abcdekka27qoq";
String char_count = getCharCount(str);
System.out.println(char_count);
}
public static String getCharCount(String str) {
char[] chs = str.toCharArray(); //将字符串转成字符数组
Map<Character,Integer> map = new TreeMap<Character,Integer>(); //定义map集合
for (int i = 0; i < chs.length; i++) { //遍历字符数组,获取每一个字母
Integer value = map.get(chs); //将遍历到的字母作为键去查表,获取值
int count = 0; //用于记录次数
if(value != null){ //判断次数是否存在
count = value; //存在,就用count记录次数
}
count++; //次数不存在,就不记录,只对count自增变成1
map.put(chs, count); //将字符和次数进行存储
}
return toString(map);
}
public static String toString(Map<Character, Integer> map) {
StringBuilder sb = new StringBuilder(); //使用缓冲区
Set<Character> keySet = map.keySet(); //将map集合转变成set集合
for (Iterator<Character> it = keySet.iterator(); it.hasNext();) { //通过迭代器,取出map集合中的元素
Character key = it.next();
Integer value = map.get(key);
sb.append(key+"("+value+")");
}
return sb.toString();
}
}
|
|