1. ホーム
  2. java

[解決済み] Java 8 List<V> を Map<K, V> に変換する。

2022-03-20 08:28:30

質問

Java 8のストリームとラムダを使って、オブジェクトのリストをMapに変換したいのですが、どうすればいいですか?

Java 7以下ではこのように書きます。

private Map<String, Choice> nameMap(List<Choice> choices) {
        final Map<String, Choice> hashMap = new HashMap<>();
        for (final Choice choice : choices) {
            hashMap.put(choice.getName(), choice);
        }
        return hashMap;
}

Java 8とGuavaを使えば簡単に実現できるのですが、Guavaを使わずに実現する方法を教えてほしいです。

グアバで。

private Map<String, Choice> nameMap(List<Choice> choices) {
    return Maps.uniqueIndex(choices, new Function<Choice, String>() {

        @Override
        public String apply(final Choice input) {
            return input.getName();
        }
    });
}

そして、Java 8のラムダを使ったGuava。

private Map<String, Choice> nameMap(List<Choice> choices) {
    return Maps.uniqueIndex(choices, Choice::getName);
}

解決方法は?

ベースは Collectors ドキュメント というようにシンプルです。

Map<String, Choice> result =
    choices.stream().collect(Collectors.toMap(Choice::getName,
                                              Function.identity()));