常用内置函数接口, 接口只包含一个抽象方法
- 消费型接口:
Consumer<T> - void accept(T t)
接受参数,但是无返回值
class ConsumerDemo {
public static void bath(int money, Consumer<Integer> spendMoney) {
spendMoney.accept(money);
}
public static void main(String[] args) {
// 我搞了一个桃村,话费了 = 100
bath(100,x -> System.out.println("我搞了一个套餐,话费了=" + x));
}
}
- 供给型接口:
Supplier<T> - T get()
Supplier 接口翻译过来就是提供者
该接口对应的方法类型为 不接受参数
,但是提供一个返回值
使用get()方法获得这个返回值
Supplier<String> getInstance = () -> "HelloWorld!";
System.out.println(getInstance.get());
// 控偶值台输出 HelloWorld
- 函数型接口:
Function<T,R> - R apply(T t)
它接受一个T
类型的参数,返回一个R
类型的返回值;
通过调用apply
方法执行内容
public class FunctionApiExample {
/**
下面这个方法接受一个int类型参数a,返回a+1,符合接受一个参数,返回一个值
所以呢这个方法就符合Function接口的定义,那要怎么用呢,继续看例子
*/
public static int addOne(int a) {
return a+1;
}
/**
该方法第二个参数接受一个function类型的行为,然后调用apply,对a执行这段行为
*/
public static int oper(int a, Function<Integer,Integer> action){
return action.apply(a);
}
/* 下面调用这个oper方法,将addOne方法作为参数传递 */
public static void main(String[] args){
//Function 单独使用
Function<Integer,Integer> f = s->(s*2);
Integer i = f.apply(2);
System.out.println(i); //输出4
int x = 1;
int y = oper(1,m -> addOne(m));//这里可以换成方法引用的写法 int y = oper(x,Operation::addOne(x))
System.out.printf("x= %d, y = %d", x, y); // 打印结果 x=1, y=2
/* 当然你也可以使用lambda表达式来表示这段行为,只要保证一个参数,一个返回值就能匹配 */
y = oper(x, p -> p + 3 ); // y = 4
System.out.println("y="+y);
y = oper(x, p -> p * 3 ); // y = 3
System.out.println("y="+y);
}
}
- 断言型接口:
Predicate<T> - boolean (T t)
中文中的‘是与
不是
是
中文语法的谓语
该接口对应的方法为接收一个T
类型参数,返回一个Boolean
类型值;
多用于判断与过滤
使用test()
方法执行这段行为
public static void main(String[] args) {
Predicate<Integer> predOdd = integer -> integer % 2 == 1;
System.out.println(predOdd.test(5));
//控制台输出 true
}
方法引用
- 三种使用情况
- 对象::实例方法名(非静态方法)
Consumer<String> con = x -> System.out.println(x);
con.accept("hello,zhangsan"); //hello,zhagnsan
/**
* 1. 对象::实例方法名(非静态方法)
* Consumer: 方法 void accept(T t)
* 方法体中用的方法:void println(String x)
* 如果满足上面的要求:前面的函数式接口的参数和返回值 和 具体方式体实现中的方法的 参数 和返回值一致,那么可以使用方法引用
*/
PrintStream ps = System.out;
Consumer<String> con2 = ps::println;
con2.accept("hello,zhangsan"); //hello,zhagnsan
- 类::静态方法名
/**
* 2. 类::静态方法名
* int compare(T o1, T o2);
* int compare(int x, int y);
*/
// 比较两个数字大小
Comparator<Integer> com = (x,y) -> Integer.compare(x,y);
System.out.println(com.compare(100,200)); //-1
Comparator<Integer> co2 = Integer::compare;
System.out.println(co2.compare(1,2)); // -1
- 类::实例方法名
/**
* 3. 类::实例方法名
* 使用这个方法引用的前提是:x 作为方法的调用者,y作为方法的实际参数
*/
//比较两个字符串是否相等
BiPredicate<String,String> bp = (x,y) -> x.equals(y);
System.out.println( bp.test("abc","abc") ); //true
BiPredicate<String,String> bp2 = String::equals;
System.out.println( bp2.test("abc","abc")); //true
Optional解决空指针异常简单方法
方法引用
Stream 教程