Java 8のストリームAPIを使用して、複数値_Map<K,Collection<V>>
_をエレガントに初期化してデータを設定する方法はありますか?
Collectors.toMap(..)
関数を使用して単一値_Map<K, V>
_を作成できることを知っています。
_Stream<Person> persons = fetchPersons();
Map<String, Person> personsByName = persons.collect(Collectors.toMap(Person::getName, Function.identity()));
_
残念ながら、この方法は、人の名前など、一意でない可能性のあるキーにはうまく機能しません。
一方、 Map.compute(K, BiFunction<? super K,? super V,? extends V>>)
を使用して複数値_Map<K, Collection<V>>
_を設定することは可能です。
_Stream<Person> persons = fetchPersons();
Map<String, Set<Person>> personsByName = new HashMap<>();
persons.forEach(person -> personsByName.compute(person.getName(), (name, oldValue) -> {
Set<Person> result = (oldValue== null) ? new HashSet<>() : oldValue;
result.add(person);
return result;
}));
_
これを行うためのこれ以上の簡潔な方法はありませんか? 1つのステートメントでマップを初期化して入力することによって?
forEach
を使用する場合は、computeIfAbsent
の代わりにcompute
を使用する方がはるかに簡単です。
Map<String, Set<Person>> personsByName = new HashMap<>();
persons.forEach(person ->
personsByName.computeIfAbsent(person.getName(), key -> new HashSet<>()).add(person));
ただし、Stream APIを使用する場合は、collect
を使用することをお勧めします。この場合、groupingBy
の代わりにtoMap
を使用します。
Map<String, Set<Person>> personsByName =
persons.collect(Collectors.groupingBy(Person::getName, Collectors.toSet());