次のようにMap
からList
を作成しています。
_List<String> strings = Arrays.asList("a", "bb", "ccc");
Map<String, Integer> map = strings.stream()
.collect(Collectors.toMap(Function.identity(), String::length));
_
List
にあったのと同じ反復順序を維持したいです。 Collectors.toMap()
メソッドを使用してLinkedHashMap
を作成するにはどうすればよいですか?
2パラメータバージョンのCollectors.toMap()
は、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);
}
_
4-parameter version を使用するには、次を置き換えます。
_Collectors.toMap(Function.identity(), String::length)
_
で:
_Collectors.toMap(
Function.identity(),
String::length,
(u, v) -> {
throw new IllegalStateException(String.format("Duplicate key %s", u));
},
LinkedHashMap::new
)
_
または、少しすっきりさせるには、新しいtoLinkedMap()
メソッドを記述して使用します:
_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
);
}
}
_
独自のSupplier
、Accumulator
および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}