Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Java 8 stream filtering: IN clause

Tags:

java

lambda

List<Y> tmp= new DATA<Y>().findEntities();
List<X> tmp1 = new DATA<X>().findEntities().stream().filter(
                        IN (tmp) ???
                ).collect(Collectors.toList());

How to simulate a tipical IN clause (like in mysql or JPA) using a Predicate ?

like image 431
O_T Avatar asked Mar 19 '23 07:03

O_T


1 Answers

I decided to update my comment to an answer. The lambda expression for your requested Predicate<Y> (where Y should be a concrete type) looks as following:

element -> tmp.contains(element)

Because the collection's contains method has the same signature as the predicate's test method, you can use a method reference (here an instance method reference):

tmp::contains

A full example:

List<Number> tmp = Arrays.asList(1, 2, 3);
List<Integer> tmp1 = Arrays
    .stream(new Integer[] { 1, 2, 3, 4, 5 })
    .filter(tmp::contains)
    .collect(Collectors.toList());
System.out.println(tmp1);

This prints

[1, 2, 3]
like image 147
Seelenvirtuose Avatar answered Apr 01 '23 03:04

Seelenvirtuose