|
Sort Map by Key and Value
Author: Venkata Sudhakar
The below example shows how to ..
01 | package com.bethecoder.java8.streams; |
03 | import java.util.Arrays; |
04 | import java.util.Comparator; |
05 | import java.util.LinkedHashMap; |
08 | import java.util.stream.Collectors; |
10 | public class SortMapExample { |
12 | public static void main(String[] args) { |
13 | List<Student> sudents = Arrays.asList( |
14 | new Student( 1 , "Sriram" , 12 ), |
15 | new Student( 2 , "Tanvie" , 6 ), |
16 | new Student( 3 , "Charan" , 10 ) |
19 | Map<String, Integer> studentMap = sudents.stream() |
20 | .collect(Collectors.toMap(Student::getName, Student::getAge)); |
21 | System.out.println( "Unordered: " + studentMap); |
25 | Map<String, Integer> sortedByName = studentMap.entrySet().stream() |
26 | .sorted(Map.Entry.comparingByKey(Comparator.naturalOrder())) |
27 | .collect(Collectors.toMap(Map.Entry::getKey, Map.Entry::getValue, |
28 | (oldValue, newValue) -> oldValue, LinkedHashMap:: new )); |
30 | System.out.println( "Sort by Key: " + sortedByName); |
34 | Map<String, Integer> sortedByAge = studentMap.entrySet().stream() |
35 | .sorted(Map.Entry.comparingByValue(Comparator.reverseOrder())) |
36 | .collect(Collectors.toMap(Map.Entry::getKey, Map.Entry::getValue, |
37 | (oldValue, newValue) -> oldValue, LinkedHashMap:: new )); |
39 | System.out.println( "Sort by Value: " + sortedByAge); |
42 | private static class Student { |
47 | public Student( int id, String name, int age) { |
57 | public void setId( int id) { |
61 | public String getName() { |
65 | public void setName(String name) { |
73 | public void setAge( int age) { |
It gives the following output,
Unordered: {Tanvie=6, Sriram=12, Charan=10}
Sort by Key: {Charan=10, Sriram=12, Tanvie=6}
Sort by Value: {Sriram=12, Charan=10, Tanvie=6}
|
|