函数式接口
1.函数式接口在Java中是指:有且仅有一个抽象方法的接口。
修饰符 interface 接口名称{
public abstract 返回值类型 方法名称(可选参数信息)
//其他非抽象方法内容
}
1.1@FunctionalInterface注解
@FunctionalInterface
public interface a{
void myMethod();
}
- 自定义函数式接口
可以作为方法的参数
public class Functioninterface{
private static void dosomething(MyFunctionalInterface inter){
inter.myMethod();
}
public static void main(String[] args) {
doSomething(() ‐> System.out.println("Lambda执行啦!"));
}
}
函数式编程
2.1 Lambda的延迟执
2.2 使用Lambda作为参数和返回值
使用Lambda表达式作为方法参数,其实就是使用函数式 接口作为方法参数。
2.3常用函数式接口
1.Supplier接口:接口仅包含一个无参的方法(get()),用来获取一个泛型参数指定类型的对 象数据。Lambda表达式需要“对外提供”一个符合泛型类型的对象 数据。
1.1Supplier接口方法:get()
2.Consumer接口:接口则正好与Supplier接口相反,它不是生产一个数据,而是消费一个数据, 其数据类型由泛型决定。
2.1Consumer接口方法:void accept(T t)(抽象方法),意为消费一个指定泛型的数据。
如果一个方法的参数和返回值全都是 Consumer 类型,那么就可以实现效果
其默认方法:andThen
public class ko {
private static void con(Consumer<String> one,Consumer<String> two){
one.andThen(two).accept("hello");
}
public static void main(String[] args) {
con(s-> System.out.println(s.toUpperCase()),s-> System.out.println(s.toUpperCase()));
}
}
3.predicate接口(包含一个抽象方法:Boolean test(T t)).用于条件判断的场景:
public class ko {
private static void method(Predicate<String> predicate){
boolean verylong=predicate.test("HelloWorld");
System.out.println("字符串很长吗:"+verylong);
}
public static void main(String[] args) {
method(s->s.length()>5);
}
}
默认方法:and
public class ko {
private static void method(Predicate<String> one,Predicate<String> two){
boolean isvalid=one.and(two).test("Helloworld");
System.out.println("字符串符合要求吗:"+isvalid);
}
public static void main(String[] args) {
method(s->s.contains("H"),s->s.contains("W"));
}
}
默认方法:or (或) 和negate(非) 和上面一样。
4.Function接口(主要的抽象方法为: R apply(T t),根据类型T的参数获取类型R的结果.
public class ko {
private static void me(Function<String,Integer> function){
int num=function.apply("10");
System.out.println(num+20);
}
public static void main(String[] args) {
me(s->Integer.parseInt(s));
}
}
默认方法:andThen
Stream流
1.得益于Lambda所带 来的函数式编程,引入了一个全新的Stream
2.的Lambda让我们可以更加专注于做什么(What),而不是怎么做(How)
Stream流”其实是一个集合元素的函数模型,它并不是集合,也不是数据结构,其本身并不存储任何 元素(或其地址值)
1.Stream(流)是一个来自数据源的元素队列
一:元素是特定类型的对象,形成一个队列
二:数据源流的来源。可以是集合,数组等。
2.获取流
Collection接口,其实现类均可以获取流
public class ko {
public static void main(String[] args) {
List<String> list = new ArrayList<>();
Stream<String> stream1=list.stream();
}
}
2.根据Map获取
3.根据数组获取流
public class ko {
public static void main(String[] args) {
String[] arry={"lufei","namei"};
Stream<String> stream1=Stream.of(arry);
}
}
其常用方法
1.延迟方法:返回值类型是Stream接口自身类型的方法,因此支持链式调用
2.终结方法:返回值类型不再是Stream接口自身类型的方法
其终结方法有:forEach(逐一处理)和count
1.filter(过滤)
2.map(映射)
3.count(统计个数)
4.limit(取用前几个)
5.skip(跳过前几个)
6.concat(组合)