函数式编程等同于函数的内部类的实现
Function 函数的用法
/**
*定义一个函数式的接口 分别接收入参 T 泛型实体 经过定义的函数处理 例如(t,t)->t 返回参数 R 泛型的实体
*
* @FunctionalInterface 该注解 是一个信息性注解类型 用于指示接口类型符合java 语言规范定义的函数式接口要求 (只是声明一下 自定义 函数式接口也可以不用)
* @since 1.8
*/
@FunctionalInterface
public interface Function<T, R> {
/**
* 将此函数应用于给定的实参。 并返回函数结果
*/
R apply(T t);
/**
*是一个复合函数 参数 before 本身就是一个函数
* 在执行过程中,优先执行 作为参数的函数
* 然后将结果作为一个 参数再执行调用者()的函数从而输出结果
* 为空 则抛出异常
*/
default <V> java.util.function.Function<V, R> compose(java.util.function.Function<? super V, ? extends T> before) {
Objects.requireNonNull(before);
return (V v) -> apply(before.apply(v));
}
/**
* 同样 是一个复合函数 参数 after 本身也是一个函数
* 在执行过程中,优先执行 作为调用者 得到的结果
* 再执行 作为参数的 函数 并输出结果
* 为空 则抛出异常
*
* @see #compose(java.util.function.Function)
*/
default <V> java.util.function.Function<T, V> andThen(java.util.function.Function<? super R, ? extends V> after) {
Objects.requireNonNull(after);
return (T t) -> after.apply(apply(t));
}
/**
* 默认返回 输入的参数 不做任何处理
*/
static <T> java.util.function.Function<T, T> identity() {
return t -> t;
}
}
例句:
Function<Integer, Integer> times2 = e -> e * 2;
Function<Integer, Integer> squared = e -> e * e;
// 先执行参数,再执行调用者
/*
* 1. 4 * 4 = 16 16 * 2 = 32
*/
System.out.println("result: " + times2.compose(squared).apply(4)); // 32
/*
* 先执行调用者: 4 * 2 = 8 再执行then传入的function 8 * 8 = 64
*/
System.out.println("result: " + times2.andThen(squared).apply(4)); // 64
函数式编程(Lambda)
Lambda 表达式的基础语法
Java8中引入了 一 个新的操作符 “->” 该操作符称为箭头操作符或 Lambda 操作符
左侧:Lambda 表达式的参数列表
右侧:Lambda 表达式中所需执行的功能, 即 Lambda 体
- 语法格式一:无参数,无返回值
- () -> System.out.println(“Hello Lambda!”);
- 语法格式二:有一个参数,并且无返回值
- (x) -> System.out.println(x)
- 语法格式三:若只有一个参数,小括号可以省略不写
- x -> System.out.println(x)
- 语法格式四:有两个以上的参数,有返回值,并且 Lambda 体中有多条语句
- Comparator com = (x, y) -> {
System.out.println(“函数式接口”);
return Integer.compare(x, y);
};
- 语法格式五:若 Lambda 体中只有一条语句, return 和 大括号都可以省略不写
- Comparator com = (x, y) -> Integer.compare(x, y);
- 语法格式六:Lambda 表达式的参数列表的数据类型可以省略不写,因为JVM编译器通过上下文推断出,数据类型,即“类型推断”
- (Integer x, Integer y) -> Integer.compare(x, y);
函数式接口
Lambda 表达式需要“函数式接口”的支持
函数式接口:接口中只有一个抽象方法的接口,称为函数式接口。 可以使用注解 @FunctionalInterface 修饰
可以检查是否是函数式接口
**例句**