Java stream pruža metodu filter() za filtriranje elemenata toka na temelju zadanog predikata. Pretpostavimo da želite dobiti samo parne elemente svog popisa, a to možete jednostavno učiniti uz pomoć metode filtra.
Ova metoda uzima predikat kao argument i vraća tok koji se sastoji od rezultirajućih elemenata.
Potpis
Potpis metode Stream filter() je dan ispod:
Stream filter(Predicate predicate)
Parametar
predikat: Kao argument uzima referencu predikata. Predikat je funkcionalno sučelje. Dakle, ovdje također možete proslijediti lambda izraz.
Povratak
Vraća novi tok.
Primjer Java Stream filter().
U sljedećem primjeru dohvaćamo i ponavljamo filtrirane podatke.
import java.util.*; class Product{ int id; String name; float price; public Product(int id, String name, float price) { this.id = id; this.name = name; this.price = price; } } public class JavaStreamExample { public static void main(String[] args) { List productsList = new ArrayList(); //Adding Products productsList.add(new Product(1,'HP Laptop',25000f)); productsList.add(new Product(2,'Dell Laptop',30000f)); productsList.add(new Product(3,'Lenevo Laptop',28000f)); productsList.add(new Product(4,'Sony Laptop',28000f)); productsList.add(new Product(5,'Apple Laptop',90000f)); productsList.stream() .filter(p ->p.price> 30000) // filtering price .map(pm ->pm.price) // fetching price .forEach(System.out::println); // iterating price } }
Izlaz:
90000.0
Java Stream filter() primjer 2
U sljedećem primjeru dohvaćamo filtrirane podatke kao popis.
import java.util.*; import java.util.stream.Collectors; class Product{ int id; String name; float price; public Product(int id, String name, float price) { this.id = id; this.name = name; this.price = price; } } public class JavaStreamExample { public static void main(String[] args) { List productsList = new ArrayList(); //Adding Products productsList.add(new Product(1,'HP Laptop',25000f)); productsList.add(new Product(2,'Dell Laptop',30000f)); productsList.add(new Product(3,'Lenevo Laptop',28000f)); productsList.add(new Product(4,'Sony Laptop',28000f)); productsList.add(new Product(5,'Apple Laptop',90000f)); List pricesList = productsList.stream() .filter(p ->p.price> 30000) // filtering price .map(pm ->pm.price) // fetching price .collect(Collectors.toList()); System.out.println(pricesList); } }
Izlaz:
[90000.0]