Java 8 List<V> 到 Map<K, V>

2022-08-31 03:59:11

我想使用Java 8的流和lambda将对象列表转换为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 lambdas。

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

答案 1

根据 Collectors 文档,它就像:

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

答案 2

如果不能保证您的键对于列表中的所有元素都是唯一的,则应将其转换为 a 而不是Map<String, List<Choice>>Map<String, Choice>

Map<String, List<Choice>> result =
 choices.stream().collect(Collectors.groupingBy(Choice::getName));

推荐