如何将具有相似键的 List<Map<String, String>> 转换为 Map<String,List<String>>?

How to turn a List<Map<String, String>> with similar keys to a Map<String,List<String>>?

我有以下列表 -

private MiniProductModel selectedProduct;
@Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_product_page);
        mPresenter = new ProductPagePresenter(this);
        mPresenter.initViews();
        mPresenter.initProductData();

        Gson gson = new Gson();
        List<Map<String, String>> attributesList = selectedProduct.getAttributesList(); //this is the list

所以我得到的原始值如下 -

[{value=Pink, key=Color}, {value=Yellow, key=Color}]

我想要实现的最终结果是一个包含一个或多个键的映射,每个键都有一个值字符串列表。例如 - 我在这里向您展示的产品有 2 种不同的颜色,所以我需要地图有一个名为 Color 的键和一个包含多个 String 值的值列表。

如何将我的列表转为想要的地图?

编辑 -

这是我目前使用 Wards 解决方案的结果 -

{value=[Sensitive Skin, Normal Skin, Combination Skin, Oily Skin, MEN], key=[Skin Type, Skin Type, Skin Type, Skin Type, Skin Type]}

密钥已复制。为什么?

流 (>= Java 8)

这可以通过使用 Stream for the List, flatMap to the entries of the Maps, and then collect using the groupingBy 收集器非常优雅地完成:

// Note that Map.of/List.of require Java 9, but this is not part of the solution
List<Map<String, String>> listOfMaps = List.of(
        Map.of("1", "a1", "2", "a2"),
        Map.of("1", "b1", "2", "b2")
);

final Map<String, List<String>> mapOfLists = listOfMaps.stream()
        .flatMap(map -> map.entrySet().stream())
        .collect(groupingBy(Entry::getKey, mapping(Entry::getValue, toList())));

mapOfLists.forEach((k, v) -> System.out.printf("%s -> %s%n", k, v));

输出为

1 -> [a1, b1]
2 -> [a2, b2]

For循环

如果流不是一个选项,您可以使用普通的旧 for 循环,例如

final Map<String, List<String>> mapOfLists = new HashMap<>();
for (Map<String, String> map : list) {
    for (Entry<String, String> entry : map.entrySet()) {
        if (!mapOfLists.containsKey(entry.getKey())) {
            mapOfLists.put(entry.getKey(), new ArrayList<>());
        }
        mapOfLists.get(entry.getKey()).add(entry.getValue());
    }
}