函数式接口那些事
Posted 一计之长
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了函数式接口那些事相关的知识,希望对你有一定的参考价值。
本文与大家一起聊聊java中的函数式接口,首先介绍函数式接口的相关概念。
函数式接口
1函数式接口概述
- 概念
有且仅有一个抽象方法的接口
- 如何检测一个接口是不是函数式接口
@FunctionalInterface
放在接口定义的上方:如果接口是函数式接口,编译通过;如果不是,编译失败
- 注意事项
我们自己定义函数式接口的时候,
@FunctionalInterface
是可选的,就算我不写这个注解,只要保证满足函数式接口定义的条件,也照样是函数式接口。但是,建议加上该注解。
2函数式接口作为方法的参数
- 需求描述
定义一个类(
RunnableDemo
),在类中提供两个方法一个方法是:
startThread(Runnable r)
方法参数Runnable
是一个函数式接口一个方法是主方法,在主方法中调用
startThread
方法
- 代码演示
public class RunnableDemo
public static void main(String[] args)
//在主方法中调用startThread方法
//匿名内部类的方式
startThread(new Runnable()
public void run()
System.out.println(Thread.currentThread().getName() + "线程启动了");
);
//Lambda方式
startThread(() -> System.out.println(Thread.currentThread().getName() + "线程启动了"));
private static void startThread(Runnable r)
new Thread(r).start();
具体执行结果如下:
3函数式接口作为方法的返回值
- 需求描述
定义一个类(
ComparatorDemo
),在类中提供两个方法一个方法是:
Comparator<String> getComparator()
方法返回值Comparator
是一个函数式接口一个方法是主方法,在主方法中调用
getComparator
方法
- 代码演示
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
public class ComparatorDemo
public static void main(String[] args)
//定义集合,存储字符串元素
ArrayList<String> array = new ArrayList<String>();
array.add("cccc");
array.add("aa");
array.add("b");
array.add("ddd");
System.out.println("排序前:" + array);
Collections.sort(array, getComparator());
System.out.println("排序后:" + array);
private static Comparator<String> getComparator()
//Lambda方式实现
return (s1, s2) -> s1.length() - s2.length();
具体执行结果如下:
4常用函数式接口之Supplier
- Supplier接口
Supplier<T>接口也被称为生产型接口,如果我们指定了接口的泛型是什么类型,那么接口中的get方法就会生产什么类型的数据供我们使用。
- 常用方法
只有一个无参的方法
- 代码演示
import java.util.function.Supplier;
public class SupplierDemo
public static void main(String[] args)
String s = getString(() -> "林青霞");
System.out.println(s);
Integer i = getInteger(() -> 30);
System.out.println(i);
//定义一个方法,返回一个整数数据
private static Integer getInteger(Supplier<Integer> sup)
return sup.get();
//定义一个方法,返回一个字符串数据
private static String getString(Supplier<String> sup)
return sup.get();
具体执行结果如下:
5Supplier接口练习之获取最大值
- 案例需求
定义一个类(SupplierTest),在类中提供两个方法
一个方法是:int getMax(Supplier<Integer> sup) 用于返回一个int数组中的最大值
一个方法是主方法,在主方法中调用getMax方法
- 示例代码
import java.util.function.Supplier;
public class SupplierTest
public static void main(String[] args)
//定义一个int数组
int[] arr = 19, 50, 28, 37, 46;
int maxValue = getMax(()->
int max = arr[0];
for(int i=1; i<arr.length; i++)
if(arr[i] > max)
max = arr[i];
return max;
);
System.out.println(maxValue);
//返回一个int数组中的最大值
private static int getMax(Supplier<Integer> sup)
return sup.get();
具体执行结果如下:
6常用函数式接口之Consumer
- Consumer接口
Consumer<T>接口也被称为消费型接口,它消费的数据的数据类型由泛型指定
- 常用方法
Consumer<T>
:包含两个方法
- 代码演示
import java.util.function.Consumer;
public class ConsumerDemo
public static void main(String[] args)
JavaScript中原型链的那些事