web-dev-qa-db-ja.com

Collections.toMap()をストリームで使用するときに、リストの反復順序を維持するにはどうすればよいですか?

次のように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
        );
    }
}
_
91
prunge

独自のSupplierAccumulatorおよび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}
48
hzitoun