predicate 接口
接口 jkd8 出的断言接口
之前我们判断一个值是否为 true 或者 false 的时候 总是要写他们自己的实现方法,
源码如下
@FunctionalInterface
public interface Predicate<T> {
boolean test(T t);
default Predicate<T> and(Predicate<? super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) && other.test(t);
}
default Predicate<T> negate() {
return (t) -> !test(t);
}
default Predicate<T> or(Predicate<? super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) || other.test(t);
}
static <T> Predicate<T> isEqual(Object targetRef) {
return (null == targetRef)
? Objects::isNull
: object -> targetRef.equals(object);
}
简单的做一个总结
- 他有一个抽象方法 test () 在做一些逻辑判断时,你可以定义任何满足函数编程的函数来调用它
- 有三个defalut 方法 and or negate 都比较简单就是我们常用的 && || !
比较简单的用法.我直接上代码
public class PredicateTest {
public static void main(String[] args) {
List<Integer> list = Arrays.asList(1,2,3,4,5,6,7,8,9,10);
PredicateTest p = new PredicateTest();
p.conditionalFilter(list, a -> a>5);
System.out.println("--------------------------------");
p.conditionalFilter(list, value -> value%2 == 0);
System.out.println("--------------------------------");
p.conditionalFilter(list, value -> value <3);
System.out.println("--------------------------------");
p.conditionalFilter2(list, value -> value>5,value -> value%2==0);
}
public void conditionalFilter(List<Integer> list,Predicate<Integer> predicate) {
list.forEach(it->{
if(predicate.test(it)) {
System.out.println(it);
}
});
}
public void conditionalFilter2(List<Integer> list,Predicate<Integer> predicate,Predicate<Integer> predicate2) {
list.forEach(it->{
if(predicate.and(predicate2).test(it)) {
System.out.println(it);
}
});
}
}