在前面几篇简单介绍了一些Lambda表达式得好处与语法,我们知道使用Lambda表达式是需要使用函数式接口得,那么,岂不是在我们开发过程中需要定义许多函数式接口,其实不然,java8其实已经为我们定义好了4类内置函数式接口,这4类接口其实已经可以解决我们开发过程中绝大部分的问题,只有一小部分比较特殊得情况需要我们自己去定义函数式接口,本文就简单来学习一下java8内置得4大核心函数式接口。
/**
• Java8 内置的四大核心函数式接口
• Consumer : 消费者接口
• void accept(T t);
•
• Supplier : 供给型接口
• T get();
•
• Function<T,R> : 函数型接口
• R apply(T t);
•
• Predicate : 断言型接口
• boolean test(T t);
*/
一、Consumer:消费型接口(void accept(T t))
来看一个简单得例子:
//Consumer<T> : 消费者接口 void accept(T t);
@Test
public void test1() {
happy(10000, (m)-> System.out.println("消费了"+m+"元"));
}
public void happy(double money,Consumer<Double> con) {
con.accept(money);
}
二、Supplier:供给型接口(T get())
来看一个简单得例子:
// Supplier<T> : 供给型接口 T get();
@Test
public void test2() {
List<Integer> list = getNumList(10,()->(int)(Math.random()*1000));
for (Integer integer : list) {
System.out.println(integer);
}
}
//需求:产生指定个数的整数,并放入集合中
public List<Integer> getNumList(int num,Supplier<Integer> sup){
List<Integer> list = new ArrayList<>();
for (int i = 0; i < num; i++) {
list.add(sup.get());
}
return list;
}
三、Function<T, R>:函数型接口(R apply(T t))
来看一个简单得例子:
//Function<T,R> : 函数型接口 R apply(T t);
@Test
public void test3() {
String string = strHandler("长江大学在哪", (str)-> str.substring(2, 4));
System.out.println(string);
}
//需求:用于处理字符串
public String strHandler(String str,Function<String, String> fun) {
return fun.apply(str);
}
四、Predicate:断言型接口(boolean test(T t))
来看一个简单得例子:
//Predicate<T> : 断言型接口 boolean test(T t);做一些判断操作
@Test
public void test4() {
List<String> list = Arrays.asList("HelloWorld!","Ok","fskjdfhasjk");
List<String> strList = filterStr(list, (pre)-> pre.length()>2);
for (String string : strList) {
System.out.println(string);
}
}
//需求:将满足条件的字符串放入集合中
public List<String> filterStr(List<String> list,Predicate<String> pre) {
List<String> list2 = new ArrayList<>();
for (String str : list2) {
if(pre.test(str)) {
list2.add(str);
}
}
return list2;
}
上面就是一个断言型接口,输入一个参数,输出一个boolean类型得返回值。
五、其他类型的一些函数式接口
除了上述得4种类型得接口外还有其他的一些接口供我们使用:
1).BiFunction<T, U, R>
参数类型有2个,为T,U,返回值为R,其中方法为R apply(T t, U u)
2).UnaryOperator(Function子接口)
参数为T,对参数为T的对象进行一元操作,并返回T类型结果,其中方法为T apply(T t)
3).BinaryOperator(BiFunction子接口)
参数为T,对参数为T得对象进行二元操作,并返回T类型得结果,其中方法为T apply(T t1, T t2)
4).BiConsumcr(T, U)
参数为T,U无返回值,其中方法为 void accept(T t, U u)
5).ToIntFunction、ToLongFunction、ToDoubleFunction
参数类型为T,返回值分别为int,long,double,分别计算int,long,double得函数。
6).IntFunction、LongFunction、DoubleFunction
参数分别为int,long,double,返回值为R。
以上就是java8内置得核心函数式接口,其中包括了大部分得方法类型,所以可以在使用得时候根据不同得使用场景去选择不同得接口使用。