源码(删除了源码注释):
package java.util.function;
import java.util.Objects;
@FunctionalInterface
public interface Function {
R apply(T t);
default Function compose(Function super V, ? extends T> before) {
Objects.requireNonNull(before);
return (V v) -> apply(before.apply(v));
}
default Function andThen(Function super R, ? extends V> after) {
Objects.requireNonNull(after);
return (T t) -> after.apply(apply(t));
}
static Function identity() {
return t -> t;
}
}
标注为 @FunctionalInterface 的接口被称为函数式接口,该接口只能有一个抽象方法。如果一个接口只有一个抽象方法,则编译器会认为这就是一个函数式接口。是否是一个函数式接口,需要注意的有以下几点:
报错代码如下:
package test;
import java.util.function.Function;
@FunctionalInterface
public interface myFunction extends Function {
Integer testFunctionalInterface();
}
因为 myFunction 接口继承了 Function 接口,Function 接口里面本来就定义了一个 apply() 抽象方法,因为 myFunction 接口又定义了一个抽象方法,所以不符合”函数式接口”定义了,加上 @FunctionalInterface,就会报错。
使用 Function 接口:
Function get_length = (String s) -> {
return s.length();
};
Function append = (String s) -> s.concat(" kaven!");
Function add = new Function() {
@Override
public Integer apply(Integer integer) {
return integer+100;
}
};
生成的 class 代码如下图:
我觉得两种方式都是给 Function 接口的 apply() 抽象方法进行定义。
测试代码如下:
package test;
import java.util.function.Function;
public class testFunction {
public static void main(String[] args){
Function get_length = (String s) -> {
return s.length();
};
Function append = (String s) -> s.concat(" kaven!");
System.out.println(append.apply("Welcome"));
System.out.println(get_length.compose(append).apply("Welcome"));
System.out.println(append.andThen(get_length).apply("Welcome"));
Function add = new Function() {
@Override
public Integer apply(Integer integer) {
return integer+100;
}
};
System.out.println(add.apply(100));
System.out.println(Function.identity().apply("Kaven"));
}
}
输出数据如下:
Welcome kaven!
14
14
200
Kaven
System.out.println(get_length.compose(append).apply("Welcome"));
System.out.println(append.andThen(get_length).apply("Welcome"));
这两行代码的效果是一样的,先调用 append 的 apply() 方法,后调用get_length 的 apply() 方法。
源码也可以看出来:
default Function compose(Function super V, ? extends T> before) {
Objects.requireNonNull(before);
return (V v) -> apply(before.apply(v));//先调用 before 的 apply() 方法,后调用 this 的 apply() 方法。
}
default Function andThen(Function super R, ? extends V> after) {
Objects.requireNonNull(after);
return (T t) -> after.apply(apply(t));//先调用 this 的 apply() 方法,后调用 after 的 apply() 方法。
}
static Function identity() {
return t -> t;
}
Function 接口的静态方法,返回一个 Function
Function 接口可以搭配 BiFunction 接口一起使用(看源码就很清楚了,也删除了源码注释):
package java.util.function;
import java.util.Objects;
@FunctionalInterface
public interface BiFunction {
R apply(T t, U u);
default BiFunction andThen(Function super R, ? extends V> after) {
Objects.requireNonNull(after);
return (T t, U u) -> after.apply(apply(t, u));
}
}
参考博客 : JDK8新特性-java.util.function-Function接口