Je crée un Map
à partir d'un List
comme suit:
List<String> strings = Arrays.asList("a", "bb", "ccc");
Map<String, Integer> map = strings.stream()
.collect(Collectors.toMap(Function.identity(), String::length));
Je veux conserver le même ordre d'itération que dans le List
. Comment créer un LinkedHashMap
en utilisant les méthodes Collectors.toMap()
?
La version à 2 paramètres de Collectors.toMap()
utilise un HashMap
:
public static <T, K, U> Collector<T, ?, Map<K,U>> toMap(
Function<? super T, ? extends K> keyMapper,
Function<? super T, ? extends U> valueMapper)
{
return toMap(keyMapper, valueMapper, throwingMerger(), HashMap::new);
}
Pour utiliser la version version à 4 paramètres , vous pouvez remplacer:
Collectors.toMap(Function.identity(), String::length)
avec:
Collectors.toMap(
Function.identity(),
String::length,
(u, v) -> {
throw new IllegalStateException(String.format("Duplicate key %s", u));
},
LinkedHashMap::new
)
Ou pour la rendre un peu plus propre, écrivez une nouvelle méthode toLinkedMap()
et utilisez-la:
public class MoreCollectors
{
public static <T, K, U> Collector<T, ?, Map<K,U>> toLinkedMap(
Function<? super T, ? extends K> keyMapper,
Function<? super T, ? extends U> valueMapper)
{
return Collectors.toMap(
keyMapper,
valueMapper,
(u, v) -> {
throw new IllegalStateException(String.format("Duplicate key %s", u));
},
LinkedHashMap::new
);
}
}
Créez vos propres Supplier
, Accumulator
et Combiner
:
List<String> strings = Arrays.asList("a", "bb", "ccc");
// or since Java 9 List.of("a", "bb", "ccc");
LinkedHashMap<String, Integer> mapWithOrder = strings
.stream()
.collect(
LinkedHashMap::new, // Supplier
(map, item) -> map.put(item, item.length()), // Accumulator
Map::putAll); // Combiner
System.out.println(mapWithOrder); // {a=1, bb=2, ccc=3}