如何合并两个流?

时间:2018-09-21 19:50:51

标签: java java-8 java-stream

我正在尝试学习/理解Java中的流并拥有以下代码:

List <Tag> tags = (classA.getTags() != null ? classA.getTags() : new ArrayList<>());
List <Integer> tagsIds = new ArrayList<>(Arrays.asList(1,2,3,4));
List<Integer> ids = tags.stream().map(Tag::getId).collect(Collectors.toList());
tagIds.stream()
      .filter(tagId -> !ids.contains(tagId))
      .forEach(tagId -> {
         Tag tag = new Tag();
         tag.setId(tagId);
         tags.add(tag);
       });

请给我一个提示,我如何将两个流合并为一个?

-------添加了23.08.2018 --------
如果我们摆脱了ids变量,它将提高一点性能,并且下面的代码在我们与Set <Integer> tagsIds一起工作时会执行,因此不会重复(例如tagIds包含值(5,6,7 ,8,5,6,7)它仅适用于(5,6,7,8))。在修改后的代码下方:

List <Tag> tags = (classA.getTags() != null ? classA.getTags() : new ArrayList<>());
List <Integer> tagIds = new ArrayList<>(Arrays.asList(5,6,7,8,5,6,7));
tagIds.stream()
      .filter(tagId -> !tags.stream().map(Tag::getId).collect(Collectors.toList()).contains(tagId))
      .forEach(tagId -> {
            Tag tag = new Tag();
            tag.setId(tagId);
            tags.add(tag);
       });

此修改具有诸如读取和调试代码的复杂性之类的缺点

3 个答案:

答案 0 :(得分:3)

List<Tag> combinedTags = Stream
        .concat( // combine streams
                tags.stream(),
                tagIds.stream().map(Tag::new) // assuming constructor with id parameter
        )
        .distinct() // get rid of duplicates assuming correctly implemented equals method in Tag
        .collect(Collectors.toList());

答案 1 :(得分:2)

首先,如果您有足够的数据来处理Set会更快,那么我假设Tag不能有重复的ID ...您可以通过几个步骤来完成所有操作:

tagIds.removeAll(ids);

// assuming there is a Tag constructor that takes an Integer
  List<Tag> newTags = tagIds.stream().map(Tag::new).collect(Collectors.toList())
 tags.addAll(newTags);

答案 2 :(得分:1)

Tag类假定为

class Tag {
    Integer id;

    Integer getId() {
        return id;
    }

    Tag(Integer id) {
        this.id = id;
    }
}

一种改善代码的方法可能是寻找类似的东西:-

List<Integer> ids = tags.stream().map(Tag::getId).collect(Collectors.toList());
tagIds.stream().filter(tagId -> !ids.contains(tagId))
               .map(Tag::new)
               .forEach(tags::add);

除非您的Tag类基于id是可比较的,然后您实际上可以将单个流用作-

List<Tag> tags = Arrays.asList(new Tag(5),new Tag(6)); //example
List <Integer> tagIds = Arrays.asList(1,2,3,4); // from question

tagIds.stream().map(Tag::new)
               .filter(tag -> !tags.contains(tag))
               .forEach(tags::add);