我想根据键对地图的值进行分组。比方说
Map<String,Integer> map1 = new TreeMap<String,Integer>();
map1.put("D", 3);
map1.put("B", 2);
map1.put("C", 1);
Map<String,Integer> map2 = new TreeMap<String,Integer>();
map2.put("A", 13);
map2.put("B", 22);
map2.put("C", 12);
Map<String,Integer> map3 = new TreeMap<String,Integer>();
map3.put("A", 33);
map3.put("B", 32);
map3.put("C", 32);
Map<Integer,Map<String,Integer>> map = new HashMap <Integer,Map<String,Integer>>();
map.put(1,map1);
map.put( 2, map2);
map.put(3, map3);
System.out.println(map);
我想根据键对映射中的值进行分组:输出应为
["A","B","C"]:[2,3], ["D","B","C"]:[1]
所以我做了什么:
Map<List<String>, List<Integer>> newMap = new HashMap<List<String>, List<Integer>>();
for (Integer item : map) {
Map<String,Integer> currentValue = map.get(item);
List<String> oldItemKeySet = newMap.get(currentValue.keySet());
newMap.put(currentValue.keySet(), (oldItemKeySet == null) ? 1 : oldItemKeySet.put());
}
但这行不通,任何人都可以在这里提供帮助。
PS:在Python中,这些事情可以用
itertools.groupby
或reduce
完成,但是我仍然不知道如何在Java中完美地做到这一点。 最佳答案
据我所知,您希望将在与原始键关联的最后一个映射中添加的映射的相同键集进行分组。
import static java.util.stream.Collectors.groupingBy;
import static java.util.stream.Collectors.mapping;
import static java.util.stream.Collectors.toList;
...
Map<Set<String>, List<Integer>> newMap =
map.entrySet()
.stream()
.collect(groupingBy(e -> e.getValue().keySet(),
mapping(Map.Entry::getKey, toList())));
从最后一个映射中,您可以获得条目流(这是一个
Stream<Entry<Integer, Map<String, Integer>>
)。在这里,您可以根据地图值的键集对条目进行分组。然后,您使用下游收集器映射结果映射的值,该收集器将
List<Integer>
中的原始条目的键收集到。输出:
{[A, B, C]=[2, 3], [B, C, D]=[1]}