如何从Java8中的对象流中获取通用项

时间:2018-08-09 05:05:58

标签: java java-8 java-stream

我有2个Coll对象流,并且我想根据一个实例变量在这里说i来查找公共对象。我需要使用Java 8流来执行此操作。 此外,我需要对j变量进行更新,例如对公共元素乘以1000。

class Coll
{
Integer i;
Integer j;

public Coll(Integer i, Integer j) {
    this.i = i;
    this.j = j;
}

public Integer getI() {
    return i;
}

public void setI(Integer i) {
    this.i = i;
}

public Integer getJ() {
    return j;
}

public void setJ(Integer j) {
    this.j = j;
}

}

我正在拧类似的东西:

 public static void main(String args[])
{
    Stream<Coll> stream1 = Stream.of(new Coll(1,10),new Coll(2,20),new Coll(3,30) );
    Stream<Coll> stream2 = Stream.of(new Coll(2,20),new Coll(3,30),new Coll(4,40) );

    Stream<Coll> common = stream1
            .filter(stream2
                    .map(x->x.getI())
                    .collect(Collectors.toList())
                    ::equals(stream2
                                .map(x->x.getI()))
                                .collect(Collectors.toList()));
    common.forEach( x-> x.setJ(x.getJ()*1000));
    common.forEach(x -> System.out.println(x));

}

我在equals方法周围做错了!!我猜Java8不支持带有equals这样的参数的方法!

我收到编译错误:等于方法expected a ')' or ';'

2 个答案:

答案 0 :(得分:0)

移动逻辑以将Stream2的所有i收集到外部。如果另一个列表中存在Coll,则过滤流1中的所有i

List<Integer> secondCollStreamI = stream2
            .map(Coll::getI)
            .collect(Collectors.toList());
Stream<Coll> common = stream1
            .filter(coll -> secondCollStreamI.contains(coll.getI()));


common.forEach( x-> x.setJ(x.getJ()*1000));
common.forEach(x -> System.out.println(x));

最后一条语句将导致IllegalStateExceptionstream has already been operated upon or closed),因为您无法重用该流。您需要在某个地方将其收集到List<Coll> ...类似...

List<Coll> common = stream1
            .filter(coll -> secondCollStreamI.contains(coll.getI()))
            .collect(Collectors.toList());

common.forEach(x -> x.setJ(x.getJ() * 1000));
common.forEach(System.out::println);

或者,如果您想在不收集的情况下即时进行所有操作

stream1
        .filter(coll -> secondCollStreamI.contains(coll.getI()))
        .forEach(x->  {
            x.setJ(x.getJ()*1000);
            System.out.println(x);
        });

答案 1 :(得分:0)

您可以这样做

Map<Integer, Coll> colsByI = listTwo.stream()
    .collect(Collectors.toMap(Coll::getI, Function.identity()));
List<Coll> commonElements = listOne.stream()
    .filter(c -> Objects.nonNull(colsByI.get(c.getI())) && c.getI().equals(colsByI.get(c.getI()).getI()))
    .map(c -> new Coll(c.getI(), c.getJ() * 1000))
    .collect(Collectors.toList());