Java8组列出要映射的列表

时间:2018-03-16 09:28:04

标签: java java-8 java-stream

我有一个Model和一个Property类,其中包含以下签名:

public class Property {

    public String name;

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }
}

public class Model {

    private List<Property> properties = new ArrayList<>();

    public List<Property> getProperties() {
        return properties;
    }
}

我想要来自Map<String, Set<Model>>的{​​{1}},其中密钥是List<Model>类的名称。我怎样才能使用java8流按其Property es'名称对该列表进行分组?所有Propery都是名称唯一的。

可以在单个流中解决,还是应该以某种方式拆分或转换为经典解决方案?

2 个答案:

答案 0 :(得分:6)

yourModels.stream()
          .flatMap(model -> model.getProperties().stream()
                  .map(property -> new AbstractMap.SimpleEntry<>(model, property.getName())))
          .collect(Collectors.groupingBy(
                Entry::getValue, 
                Collectors.mapping(
                    Entry::getKey, 
                    Collectors.toSet())));

答案 1 :(得分:4)

为什么不使用forEach

以下是使用forEach

的简明解决方案
Map<String, Set<Model>> resultMap = new HashMap<>();
listOfModels.forEach(currentModel ->
        currentModel.getProperties().forEach(prop -> {
            Set<Model> setOfModels = resultMap.getOrDefault(prop.getName(), new HashSet<>());
            setOfModels.add(currentModel);
            resultMap.put(prop.getName(), setOfModels);
        })
);