两千字详解Java 8 中必知的4个函数式接口( 二 )

Predicate 接口说明Predicate 这个单词的意思就有「预言,预测,谓语,谓词」的意思,就是用来预测判断的 。
Predicate 接口包含四个方法:

  • test(T t):该方法接受一个参数并返回一个布尔值 。
  • and(Predicate other):与另一个 Predicate 进行组合,实现逻辑与操作 。
  • negate():与另一个 Predicate 进行组合,实现逻辑非操作 。
  • or(Predicate other):与另一个 Predicate 进行组合,实现逻辑或操作 。
test 方法Predicate 接口通常用于测试一个条件是否成立 。例如:
// Predicate 接口,泛型参数是入参类型,返回布尔值Predicate<String> predicate = s -> s.contains("god23bin");boolean flag = predicate.test("god23bin能给你带来收获吗?");System.out.println("god23bin能给你带来收获吗?" + flag); // 打印:god23bin能给你带来收获吗?true复制代码and 方法为了便于演示,这里准备两个 Predicate:
Predicate<String> startsWithA = (str) -> str.startsWith("A"); // 如果传入的字符串是A开头,则返回 truePredicate<String> endsWithZ = (str) -> str.endsWith("Z"); // 如果传入的字符串是Z结尾,则返回 true复制代码使用 and 进行组合,与操作:
Predicate<String> startsWithAAndEndsWithZ = startsWithA.and(endsWithZ);System.out.println(startsWithAAndEndsWithZ.test("ABCDEFZ")); // trueSystem.out.println(startsWithAAndEndsWithZ.test("BCDEFGH")); // false复制代码negate 方法使用 negate 进行组合,非操作:
Predicate<String> notStartsWithA = startsWithA.negate();System.out.println(notStartsWithA.test("ABCDEF")); // falseSystem.out.println(notStartsWithA.test("BCDEFGH")); // true复制代码or 方法使用 or 进行组合,或操作:
Predicate<String> startsWithAOrEndsWithZ = startsWithA.or(endsWithZ);System.out.println(startsWithAOrEndsWithZ.test("ABCDEF")); // trueSystem.out.println(startsWithAOrEndsWithZ.test("BCDEFGH")); // false复制代码那这些接口有什么应用呢?在 Stream 流中就有应用上这些函数式接口 。 当然,当你有相似的需求时,你自己也可以应用上这些接口 。下面说下 Stream 流中的应用 。
Function 接口:例如 map 方法,map 方法就是将一个类型的值转换为另一个类型的值 。
// map 方法,将 T 类型的值转换成 R 类型的值// R 是返回的 Stream 流的元素类型,T 是原先 Stream 流的元素类型<R> Stream<R> map(Function<? super T, ? extends R> mapper);复制代码Consumer 接口:例如 forEach 方法
// forEach 方法,遍历 Stream 流中的元素,T 类型是 Stream 流的元素类型void forEach(Consumer<? super T> action);复制代码Supplier 接口:例如 generate 方法
// 生成一个无限长度的 Stream 流public static<T> Stream<T> generate(Supplier<T> s) {Objects.requireNonNull(s);return StreamSupport.stream(new StreamSpliterators.InfiniteSupplyingSpliterator.OfRef<>(Long.MAX_VALUE, s), false);}复制代码Predicate 接口:例如 filter 方法,使用 Predicate 进行过滤操作 。
// 过滤出 Stream 流中,判断结果为 true 的元素Stream<T> filter(Predicate<? super T> predicate);复制代码



推荐阅读