所谓的函数式接口,当然首先是一个接口,然后就是在这个接口里面只能有一个抽象方法。
补充下:方法也可以有具体默认实现逻辑,需要用default修饰
这种类型的接口也称为SAM接口,即Single Abstract Method interfaces。
函数式接口用途
它们主要用在Lambda表达式和方法引用(实际上也可认为是Lambda表达式)上。
我会通过个例子介绍具体使用,也是我项目中使用比较常见的用法
先定义一个函数接口
/**
* @author zhaoyy
* @version 1.0
* @description 定义函数接口
* @date 2022/4/28
**/
@FunctionalInterface
public interface CustomizeFunction<T, R> {
/**
* Applies this function to the given argument.
*/
R apply(T t) throws Exception;
}
具体实现函数接口CustomizeFunctionImpl,CustomizeFunctionImpl2
/**
* @author zhaoyy
* @version 1.0
* @description 函数接口实习 1
* @date 2022/4/29
**/
public class CustomizeFunctionImpl implements CustomizeFunction {
@Override
public Object apply(Object o) throws Exception {
return Integer.valueOf(o.toString()) + 1;
}
}
/**
* @author zhaoyy
* @version 1.0
* @description 函数接口实现2
* @date 2022/4/29
**/
public class CustomizeFunctionImpl2 implements CustomizeFunction {
@Override
public Object apply(Object o) throws Exception {
return Integer.valueOf(o.toString()) + 2;
}
}
测试函数main方法
import java.util.ArrayList;
import java.util.List;
/**
* @author zhaoyy
* @version 1.0
* @description 测试自定义函数main
* @date 2022/4/28
**/
public class CustomizeFunctionTest {
public static void main(String[] args) throws Exception {
CustomizeFunction<Integer, Integer> function = (x) -> 1 + x;
Integer result = function.apply(3);
System.out.println("==========自定义函数============");
System.out.println(result);
CustomizeFunction<Integer, Integer> function2 =CustomizeFunctionTest::add;
Integer rep = function2.apply(3);
System.out.println("==========自定义函数调用方法============");
System.out.println(rep);
System.out.println("======自定义函数方法继承方法重写================");
List<CustomizeFunction<Integer, Integer>> list = new ArrayList<>();
list.add(new CustomizeFunctionImpl());
list.add(new CustomizeFunctionImpl2());
int index = 5;
for (CustomizeFunction<Integer, Integer> extractorFunction : list) {
Integer res = extractorFunction.apply(index);
System.out.println(res);
}
}
public static Integer add(Integer x){
return 1 + x;
}
}
结果输出:
==========自定义函数============
4
==========自定义函数调用方法============
4
======自定义函数方法继承方法重写================
6
7
Process finished with exit code 0
测试案例说明:
1.首先我们创建了一个接口CustomizeFunction 使用函数注解:@FunctionalInterface 。参数说明:R返回对象,T入参对象,只有一个方法apply().
2.实现类CustomizeFunctionImpl,CustomizeFunctionImpl2分别对函数CustomizeFunction 中的apply()方法重写,具体按详细类方法,一个是对入参加1,一个是对入参加2并返回计算完结果
3.CustomizeFunctionTest输出第一值:4,通过Lambda 表达式计算并返回数据(x) -> 1 + x 对入参加1,第二个输出,调用的是类方法通过lambda 表达式,与第一个输出同等只是做了方法抽离。第三个输出,分别调用具体实现方法逻辑计算返回数据。