最近小編自己一個人在負責一個項目的後臺開發,其中有一部分是統計相關的功能,所以需要一些排序或者分組的操作,之前這種操作小編覺得還是比較麻煩的,雖熱有一些現成的工具類,但是工具類的寫法也是比較複雜的,但是如果使用java8 stream流的話就比較簡單了,並且代碼量會大大的減少,下麵總結幾個對map的 ...
最近小編自己一個人在負責一個項目的後臺開發,其中有一部分是統計相關的功能,所以需要一些排序或者分組的操作,之前這種操作小編覺得還是比較麻煩的,雖熱有一些現成的工具類,但是工具類的寫法也是比較複雜的,但是如果使用java8 stream流的話就比較簡單了,並且代碼量會大大的減少,下麵總結幾個對map的操作。
1、map 根據value排序
Map<String,BigDecimal> map =new HashMap<>();
map.put("one", 0.08);
map.put("two", 0.1);
map.put("three", 0.2);
map.put("four", 0.91);
上面是項目中的一個中間結果,我們需要對這個map根據value值倒序排序,下麵給出工具類:
public <K, V extends Comparable<? super V>> Map<K, V> sortByValue(Map<K, V> map) {
Map<K, V> result = new LinkedHashMap<>();
map.entrySet().stream()
.sorted(Map.Entry.<K, V>comparingByValue()
.reversed()).forEachOrdered(e -> result.put(e.getKey(), e.getValue()));
return result;
}
當然如果我們想根據map的key進行排序,需要對上面的工具類進行小小的修改,代碼如下:
public <K extends Comparable<? super K>, V > Map<K, V> sortByKey(Map<K, V> map) {
Map<K, V> result = new LinkedHashMap<>();
map.entrySet().stream()
.sorted(Map.Entry.<K, V>comparingByKey()
.reversed()).forEachOrdered(e -> result.put(e.getKey(), e.getValue()));
return result;
}
我們可以看到,如果我們需要根據key排序,就需要讓key 繼承 Comparable ,也就說我們需要對待排序的欄位繼承 Comparable介面。另一個問題就是,上面的這種寫法排序效果是 降序排序,如果我們需要升序排序的話,只需要將上面的.reversed()關鍵字限制去掉即可。
public <K, V extends Comparable<? super V>> Map<K, V> sortByValue(Map<K, V> map) {
Map<K, V> result = new LinkedHashMap<>();
map.entrySet().stream()
.sorted(Map.Entry.<K, V>comparingByValue()
).forEachOrdered(e -> result.put(e.getKey(), e.getValue()));
return result;
}
map根據value倒序排序
map.entrySet().stream().sorted(Collections.reverseOrder(Map.Entry.comparingByValue())).forEach(System.out::println);
map根據key倒序排序
map.entrySet().stream().sorted(Collections.reverseOrder(Map.Entry.comparingByKey())).forEach(System.out::println);
map根據value正序排序
map.entrySet().stream().sorted(Comparator.comparing(e -> e.getValue())).forEach(System.out::println);
map根據key正序排序
map.entrySet().stream().sorted(Comparator.comparing(e -> e.getKey())).forEach(System.out::println);
參考
原文鏈接:https://blog.csdn.net/hao134838/article/details/80780622
原文鏈接:https://blog.csdn.net/qq_41011894/article/details/88405944