Reputation: 3
I have:
ArrayList<String> miss;
LinkedHashMap<String, ArrayList<String>> map;
How can i sort "maps" by counting the occurrences in "miss"? For example:
And i want to get:
maps => {6=[0, 3, 7], 1=[0, 3, 6], 4=[2, 3, 4], 11=[1, 3, 6], 17=[2, 6, 11]}
Upvotes: 0
Views: 104
Reputation: 19565
The following solution is based on using Stream API
miss
in each list value of maps
and collect the frequency into some object (e.g. a list)Collectors.toMap
with LinkedHashMap::new
supplierList<String> miss = List.of("3", "7");
Map<String, List<String>> maps = Map.of(
"1", List.of("0", "3", "6"),
"4", List.of("2", "3", "4"),
"6", List.of("0", "3", "7"),
"11", List.of("1", "3", "6"),
"17", List.of("2", "6", "11")
);
Map<String, List<String>> sorted = maps.entrySet()
.stream()
.map(e -> Arrays.asList(e,
e.getValue().stream()
.mapToInt(i -> (int) miss.stream().filter(i::equals).count())
.sum()
))
.sorted(Comparator
.<List>comparingInt(ee -> (int) ee.get(1)).reversed()
.thenComparingInt(ee -> Integer.parseInt(((Map.Entry<String, List<String>>) ee.get(0)).getKey()))
)
.map(ee -> (Map.Entry<String, List<String>>) ee.get(0))
.collect(Collectors.toMap(
Map.Entry::getKey,
Map.Entry::getValue,
(v1, v2) -> v1,
LinkedHashMap::new
));
System.out.println(sorted);
Output:
{6=[0, 3, 7], 1=[0, 3, 6], 4=[2, 3, 4], 11=[1, 3, 6], 17=[2, 6, 11]}
Upvotes: 1