千家信息网

Java HashMap简便的排序方法有哪些

发表于:2025-01-22 作者:千家信息网编辑
千家信息网最后更新 2025年01月22日,本篇内容主要讲解"Java HashMap简便的排序方法有哪些",感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习"Java HashMap简便的排序方法有哪些"
千家信息网最后更新 2025年01月22日Java HashMap简便的排序方法有哪些

本篇内容主要讲解"Java HashMap简便的排序方法有哪些",感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习"Java HashMap简便的排序方法有哪些"吧!

HashMap的储存是没有顺序的,而是按照key的HashCode实现.

key=手机品牌,value=价格,这里以这个例子实现按名称排序和按价格排序.

Map phone=new HashMap(); phone.put("Apple",8899); phone.put("SAMSUNG",7000); phone.put("Meizu",2698); phone.put("Xiaomi",1800); System.out.println(phone);

直接输出HashMap得到的是一个无序Map(不是Arraylist那种顺序型储存)

1. 按key排序

对名称进行排序,首先要得到HashMap中键的集合(keySet),并转换为数组,这样才能用Arrays.sort()进行排序

Set set=phone.keySet(); Object[] arr=set.toArray(); Arrays.sort(arr); for(Object key:arr){ System.out.println(key); }

得到排序好的键值

最后利用HashMap.get(key)得到键对应的值即可

for(Object key:arr){ System.out.println(key+": "+phone.get(key)); }

得到的打印的结果

2.按value排序

对价格进行排序,首先需要得到HashMap中的包含映射关系的视图(entrySet),如图:

将entrySet转换为List,然后重写比较器比较即可.这里可以使用List.sort(comparator),也可以使用Collections.sort(list,comparator)

转换为list

List> list = new ArrayList>(phone.entrySet()); //转换为list

使用list.sort()排序

list.sort(new Comparator>() { @Override public int compare(Map.Entry o1, Map.Entry o2) { return o2.getValue().compareTo(o1.getValue()); } });

使用Collections.sort()排序

Collections.sort(list, new Comparator>() { @Override public int compare(Map.Entry o1, Map.Entry o2) { return o2.getValue().compareTo(o1.getValue()); } });

两种方式结果输出

//for循环 for (int i = 0; i < list.size(); i++) { System.out.println(list.get(i).getKey() + ": " + list.get(i).getValue()); } //for-each循环 for (Map.Entry mapping : list){ System.out.println(mapping.getKey()+": "+mapping.getValue()); }

遍历打印输出

//for for (int i = 0; i < list.size(); i++) { System.out.println(list.get(i).getKey() + ": " +list.get(i).getValue()); } System.out.println(); //for-each for (Map.Entry mapping : list) { System.out.println(mapping.getKey() + ": " +mapping.getValue()); }

到此,相信大家对"Java HashMap简便的排序方法有哪些"有了更深的了解,不妨来实际操作一番吧!这里是网站,更多相关内容可以进入相关频道进行查询,关注我们,继续学习!

0