当前位置: 代码迷 >> 综合 >> Java8 Predicate 函数式接口 实现多条件过滤
  详细解决方案

Java8 Predicate 函数式接口 实现多条件过滤

热度:74   发布时间:2023-12-12 04:46:47.0

需求

给一个集合,找到满足添加的对象,一下条件可能会动态的变化,有时候只需要满足一个,有时候需要满足两个。。。
1、大于。。
2、小于。。
3、是偶数

使用 Predicate完成需求

Predicate主要作用就是输入一个参数,输出一个Boolean值,用于判断这个输入的参数是否满足某个条件
Predicate 接口里面 一个默认方法 ,可以完成多个条件的组合

源码
    default Predicate<T> and(Predicate<? super T> other) {
    Objects.requireNonNull(other);return (t) -> test(t) && other.test(t);}default Predicate<T> or(Predicate<? super T> other) {
    Objects.requireNonNull(other);return (t) -> test(t) || other.test(t);}

测试

public class PredicateTest {
    public static void main(String[] args) {
    List<Integer> list = Arrays.asList(1,2,3,4,5,6,7,8,9,10);Predicate<Integer> condition1 = value -> value > 5 ;Predicate<Integer> condition2 = value -> value % 2 == 0 ;Predicate<Integer> condition3 = value -> value < 8 ;Predicate<Integer> predicate = condition1.and(condition2).and(condition3);list.forEach(v -> {
    if(predicate.test(v)){
    System.out.println(v);}});}
}
  相关解决方案