常用的函数式接口Predicate接口默认方法or&negate
or方法的基本使用:
package com.chunzhi.Test06Predicate; import java.util.function.Predicate; /* 逻辑表达式:可以连接多个判断的条件 &&:与运算符,有false则false ||:或运算符,有true则true !:非(取反)运算符,非真则假,非假则真 Predicate接口中有一个方法or,表示或者关系,也可以用于连接两个判断条件 default Predicate<T> or(Predicate<? super T> other) { Object.requireNonNull(other); return (t) -> this.test(t) || other.test(t); } 方法内部的两个判断条件,也是使用||运算符连接起来的 */ public class Test03Predicate_or { /* 定义一个方法,方法的参数,传递一个字符串 传递两个Predicate接口 一个用于判断字符串的长度是否大于5 一个用于判断字符出中是否包含a 满足一个条件即可 */ public static boolean checkString(String s, Predicate<String> pre1, Predicate<String> pre2) { return pre1.or(pre2).test(s); // 等同于return pre1.test(s) || pre2.test(s); } public static void main(String[] args) { // 定义一个字符串 String s = "aoeyw"; // 调用checkString方法,参数传递字符串和两个Lambda表达式 boolean b = checkString(s, (str) -> { // 判断字符串长度是否大于5 return str.length() > 5; }, (str) -> { // 判断字符串中是否含有a return str.contains("a"); }); System.out.println(b); } }
negate方法的基本使用:
package com.chunzhi.Test06Predicate; import java.util.function.Predicate; /* 需求:判断一个字符串长度是否大于5 如果字符串的长度大于5,那返回false 如果字符串的长度不大于5,那么返回true 所以我们可以使用取反符号!对判断的结果进行取反 Predicate接口中有一个方法negate,也表示取反的意思 default Predicate<T> negate() { return (t) -> !test(t); } */ public class Test04Predicate_negate { /* 定义一个方法,方法的参数,传递一个字符串 使用Predicate接口判断字符串的长度是否大于5(取反) */ public static boolean checkString(String s, Predicate<String> pre) { return pre.negate().test(s); // 等同于return !pre.test(s); } public static void main(String[] args) { // 定义一个字符串 String s = "aoeywu"; // 调用checkString方法,参数传递字符串和两个Lambda表达式 boolean b = checkString(s, (str) -> { // 判断字符串长度是否大于5,并返回结果 return str.length() > 5; }); System.out.println(b); } }