我有这种代码安静工作正常,需要Map<String, List<Device>>
并排序时间并返回相同的数据结构:
Stream<Map.Entry<String, List<Device>>> results = device.getDeviceMapList().entrySet().stream();
Map<String, List<Device>> sortedMap = new HashMap<String, List<Device>>();
results.forEach(e -> {
e.getValue().sort(Comparator.comparing(Device::getStationTimeStamp));
sortedMap.put(e.getKey(), e.getValue());
});
现在我尝试使用Collectors.toMap
并没有成功:
Map<String, List<Device>> sortedMap = results.forEach(e -> {
e.getValue().stream()
.sorted(Comparator.comparing(Device::getStationTimeStamp))
.collect(Collectors.toMap(e.getKey(), ArrayList<Device>::new));
});
部分.collect(Collectors.toMap(e.getKey(), ArrayList<Device>::new));
是我尝试的,它不完全正确,我做错了什么?
答案 0 :(得分:5)
为了重现您的问题,我创建了一个示例Map
Map<Integer, List<Integer>> mapA = new HashMap<>();
mapA.put(1, Arrays.asList(1,2,3,4,5,8,7,6,9));
mapA.put(2, Arrays.asList(1,2,3,5,4,6,7,8,9));
mapA.put(3, Arrays.asList(2,3,1,4,5,6,7,8,9));
mapA.put(4, Arrays.asList(1,2,8,4,6,5,7,3,9));
mapA.put(5, Arrays.asList(9,2,3,4,5,6,7,8,1));
并将其转换为类似于您的流
Stream<Map.Entry<Integer, List<Integer>>> results = mapA.entrySet().stream();
您可能已经注意到,mapA中的列表未排序。
要获得Map<Integer,List<Integer>>
排序List
,您可以执行以下操作
Map<Integer,List<Integer>> sortedMap =
results.collect(Collectors.toMap(s -> s.getKey(),
s -> s.getValue().stream()
.sorted(Comparator.naturalOrder()).collect(Collectors.toList())));
您必须将Comparator.naturalOrder()
替换为Comparator.comparing(Device::getStationTimeStamp)
。