Map<Long, String> idMap = list.stream().collect(Collectors.toMap(EntryDeliveryBillMaterialUpdateBatchNoVO::getId, EntryDeliveryBillMaterialUpdateBatchNoVO::getBatchNo)); Map<Long,Date> dateMap = list.stream().collect(Collectors.toMap(EntryDeliveryBillMaterialUpdateBatchNoVO::getId, EntryDeliveryBillMaterialUpdateBatchNoVO::getProduceDate));怎么转成一个map
时间: 2024-03-01 12:53:27 浏览: 120
java8新特性之stream的collect实战教程
5星 · 资源好评率100%
要将这两个 `Map` 合并为一个,可以使用 `Stream` 的 `collect` 方法,结合 `Collectors.toMap` 和 lambda 表达式来实现。具体代码如下:
```
Map<Long, Map<String, Object>> resultMap = list.stream().collect(Collectors.toMap(
EntryDeliveryBillMaterialUpdateBatchNoVO::getId,
vo -> {
Map<String, Object> subMap = new HashMap<>();
subMap.put("batchNo", vo.getBatchNo());
subMap.put("produceDate", vo.getProduceDate());
return subMap;
},
(map1, map2) -> {
map1.putAll(map2);
return map1;
}
));
```
上述代码中,使用 `Collectors.toMap` 将 `idMap` 和 `dateMap` 合并为一个 `Map`,其中 `EntryDeliveryBillMaterialUpdateBatchNoVO::getId` 作为 `keyMapper`,返回 `id` 作为 `key`;lambda 表达式 `vo -> {...}` 作为 `valueMapper`,返回一个包含 `batchNo` 和 `produceDate` 的子 `Map` 作为 `value`。由于 `Map` 的 `merge` 方法只能用于合并相同类型的 `Map`,所以在合并时需要提供一个 `mergeFunction`,将两个子 `Map` 合并为一个。这里使用的是 `(map1, map2) -> {...}` lambda 表达式,将两个子 `Map` 中的所有键值对合并到第一个子 `Map` 中,然后返回第一个子 `Map`。
阅读全文