其他分享
首页 > 其他分享> > (map集合的应用)对给定的数字列表进行分组

(map集合的应用)对给定的数字列表进行分组

作者:互联网

对给定的数字列表进行分组,要求返回的Map中,Key为数字,Value为该数字出现的列表。
* 例如,输入的数字列表为:[1,2,3,3,4,2],
* 那么返回值应为:{1=[1],2=[2,2],3=[3,3],4=[4]}

核心:

containsKey是否包含键
get(key)获取键
public class Work51 {
    public static void main(String[] args) {
        Map<Integer, List<Integer>> classify = classify(new ArrayList<>(List.of(2, 2, 3, 3, 4, 2)));
        Set<Integer> keySet = classify.keySet();
        for (Integer k : keySet) {
            System.out.println(k+"="+classify.get(k));
        }
    }
    
    public static Map<Integer, List<Integer>> classify(Collection<Integer> numbers){
        //创建一个Map集合,用于保存需要返回的数据
        Map<Integer,List<Integer>> map = new HashMap<>();
        //定义一个List类型的变量
        List<Integer> list = null;
        //TODO在这里补足代码
        for (Integer num : numbers) {
            //集合的key存在。通过存在的key获取value,获取之前的list集合
            if (map.containsKey(num)){
                list = map.get(num);
            }else {
                //集合key为空,创建新数组
                list=new ArrayList<>();

            }
            //添加到集合
            list.add(num);
            map.put(num,list);
        }

        return map;
    }

}

标签:map,num,Map,list,给定,分组,key,classify
来源: https://blog.csdn.net/qq_57054171/article/details/120499575