Java中双列集合HashMap的使用

题目:

定义一个泛型为 String 类型的 List 集合,统计该集合中每个字符(注意,不是字符

串)出现的次数。例如:集合中有”abc””bcd”两个元素,程序最终输出结果为:“a = 1,b

= 2,c = 2,d = 1”

 

解答:

package lianxiday20;

import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map.Entry;
import java.util.Set;

 

public class MapUse03 {
    public static void main(String[] args) {

        List ls = new ArrayList();
        ls.add("abc");
        ls.add("bcd");
        
        //将集合ls中所有的字符存至字符数组ch中
        char[] ch = new char[("abc"+"bcd").length()];
        int count = 0;
        for(int i = 0; i < ls.size(); i++) {
            for(int j = 0; j < ls.get(i).length(); j++) {
                ch[count++] = ls.get(i).charAt(j);
                //System.out.println(ls.get(i).charAt(j));
            }    
        }
        
        HashMap hm = new HashMap ();
        //利用HashMap的键唯一性,得到出现过的字符不重复的字符集
        for(int i = 0; i < ch.length; i++) {
            hm.put(ch[i], i);
        }
        //System.out.println(hm);
        
        Set> entry = hm.entrySet();
        //遍历字符集,对于每个键,即每个字符,对其在ch中出现的次数进行计数,并加载在其对应值上
        for(Entry et : entry) {
            int num = 1;
            for(int i = 0; i < ch.length; i++) {
                if(ch[i] == et.getKey()) {
                    hm.put(et.getKey(), num++);        
                    //System.out.println(hm);
                }
            }
        }    
        System.out.println(hm);

    }
}

 

你可能感兴趣的:(JavaSE基础)