Java系列之Predicate
短信预约 -IT技能 免费直播动态提醒
Java8引入了许多函数式接口(Functional Interface),Predicate(断言)就是其中一个,它的主要作用可以简单描述为:向其传入一个对象(可以理解为参数),将得到一个布尔值作为输出。
接口源码
Predicate接口的源码非常简单,如下所示,重点内容有:
- 所有的函数式接口都带有@FunctionalInterface标明其身份;
- test()方法用来处理输入的参数t,计算得到输出结果为true还是false;
- and(), negate(), or()函数功能类似与或非,能够进行串联;
@FunctionalInterfacepublic 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); }}
使用举例
看了上面的接口源码,你可能还是一知半解,这是一个接口,到底要怎么使用呢?看如下例子:
// 将实现用户名校验规则的lambda函数赋给Predicate实例Predicate<String> isUserNameValid = u -> u != null && u.length() > 5 && u.length() < 10;// 调用test方法,test方法的参数就是待检测的字符串(也就是喂给Predicate实例的数据),将会输出trueSystem.out.println(isUserNameValid.test("Howard"));// 同样的道理Predicate<String> isPasswordValid = p -> p != null && p.length() > 8 && p.length() < 15;System.out.println(isPasswordValid.test("123456789"));
另外,在Java8的stream里面也有很多Predicate的应用,如filter函数的参数就是Predicate:
Arrays.asList("A1234567890", "Howard", "Tommy", "Jone").stream() .filter(str -> str.length() > 5) .filter(str -> str.length() < 10) .collect(Collectors.toList());
函数文档为:
java.util.stream.Stream<T>public abstract Stream<T> filter(java.util.function.Predicate<? super T> predicate)
进阶举例
除了像上面这样定义单个的Predicate,也可以利用其and()等函数,将多个语句串联起来:
Predicate<String> predicate1 = str -> str.startsWith("A");Predicate<String> predicate2 = str -> str.length() > 5;Predicate<String> predicate3 = str -> str.length() < 10;predicate1.and(predicate2).and(predicate3).test("A12347"); // true
除此之外,还可以对Predicate进行封装,构建Fluent API风格的校验器:
public class Validator<T> { private Predicate<T> predicate; public Validator() { // 将predicate初始化为true this.predicate = t -> true; }// 添加校验策略,由于该函数返回this,因此可以无限使用and串联 public Validator<T> with(Predicate<T> predicate) { this.predicate = this.predicate.and(predicate); return this; }// 执行校验,并返回校验结果 public boolean validate(T t) { return this.predicate.test(t); }}public static void main(String[] args) { boolean result = new Validator<String>() .with(u -> u != null) .with(u -> u.length() > 5) .with(u -> u.length() < 10) .validate("Howard"); System.out.println(result); // true}
来源地址:https://blog.csdn.net/qq_26822029/article/details/129069524
免责声明:
① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。
② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341