Java中Map通过value进行排序(value类型可以是字符串string)
从map中取出最大或最小value值对应的key值
JAVA对Map按Value排序
主要思路:将待排序Map中的所有元素置于一个列表中,接着使用Collections的一个静态方法 sort(List list, Comparator<? super T> c) 来排序列表,同样是用比较器定义比较规则。排序后的列表中的元素再依次装入Map,为了肯定的保证Map中元素与排序后的List中的元素的顺序一致,使用了LinkedHashMap数据类型。
//Map根据value进行排序public static Map<String, Integer> valueUpSort(Map<String, Integer> map) { //map不能为空 if (map == null || map.isEmpty()) { return null; } //定义一个LinkedHashMap Map<String, Integer> sortedMap = new LinkedHashMap<String, Integer>(); List<Map.Entry<String, Integer>> entryList = new ArrayList<Map.Entry<String, Integer>>(map.entrySet()); //比较器 Collections.sort(entryList, new Comparator<Map.Entry<String, Integer>>() { @Override public int compare(Map.Entry<String, Integer> o1, Map.Entry<String, Integer> o2) { //降序 return o2.getValue().compareTo(o1.getValue()); //升序// return o2.getValue().compareTo(o1.getValue()); } }); Iterator<Map.Entry<String, Integer>> iter = entryList.iterator(); Map.Entry<String, Integer> tmpEntry = null; while (iter.hasNext()) { tmpEntry = iter.next(); sortedMap.put(tmpEntry.getKey(), tmpEntry.getValue()); } return sortedMap;}
测试
public class Test{ public static void main(String[] args) { Map<String, String> map = new HashMap<>(); map.put("key1", "2024-05-30 17:30:27"); map.put("key4", "2024-05-30 17:45:17"); map.put("key22", "2024-05-30 17:35:34"); map.put("key3", "2024-05-31 16:20:24"); Map<String, String> stringStringMap = valueUpSort(map); System.out.println(stringStringMap); }}//结果{key3=2024-05-31 16:20:24, key4=2024-05-30 17:45:17, key22=2024-05-30 17:35:34, key1=2024-05-30 17:30:27}