简介
Lambda表达式(也称闭包),是Java8发布的新特性中最受期待和欢迎的新特性之一。在Java语法层面Lambda表达式允许函数作为一个方法的参数(函数作为参数传递到方法中),或者把代码看成数据。Lambda表达式用于简化Java中接口式的匿名内部类,被称为函数式接口的概念。函数式接口就是一个只具有一个抽象方法的普通接口,像这样的接口就可以使用Lambda表达式来简化代码的编写。
语法
(args1, args2...)->{};
使用Lambda的前提
对应接口有且只有一个抽象方法!!!
使用Lambda的优缺点
使用Lambda表达式可以简化接口匿名内部类的使用,可以减少类文件的生成,可能是未来编程的一种趋势。但是使用Lambda表达式会减弱代码的可读性,而且Lambda表达式的使用局限性比较强,只能适用于接口只有一个抽象方法时使用,不宜调试。
案例1 无参无返回
public class Demo01 {
public static void main(String[] args) {
// 1.传统方式 需要new接口的实现类来完成对接口的调用
ICar car1 = new IcarImpl();
car1.drive();
// 2.匿名内部类使用
ICar car2 = new ICar() {
@Override
public void drive() {
System.out.println("Drive BMW");
}
};
car2.drive();
// 3.无参无返回Lambda表达式
ICar car3 = () -> {System.out.println("Drive Audi");};
// ()代表的就是方法,只是匿名的。因为接口只有一个方法所以可以反推出方法名
// 类似Java7中的泛型 List<String> list = new ArrayList<>(); Java可以推断出ArrayList的泛型。
car3.drive();
// 4.无参无返回且只有一行实现时可以去掉{}让Lambda更简洁
ICar car4 = () -> System.out.println("Drive Ferrari");
car4.drive();
// 去查看编译后的class文件 大家可以发现 使用传统方式或匿名内部类都会生成额外的class文件,而Lambda不会
}
}
interface ICar {
void drive();
}
class IcarImpl implements ICar{
@Override
public void drive() {
System.out.println("Drive Benz");
}
}
案例2 有参有返回值
public class Demo02 {
public static void main(String[] args) {
// 1.有参无返回
IEat eat1 = (String thing) -> System.out.println("eat " + thing);
eat1.eat("apple");
// 参数数据类型可以省略
IEat eat2 = (thing) -> System.out.println("eat " + thing);
eat2.eat("banana");
// 2.多个参数
ISpeak speak1 = (who, content) -> System.out.println(who + " talk " + content);
speak1.talk("xinzong", "hello word");
// 3.返回值
IRun run1 = () -> {return 10;};
run1.run();
// 4.返回值简写
IRun run2 = () -> 10;
run2.run();
}
}
interface IEat {
void eat(String thing);
}
interface ISpeak {
void talk(String who, String content);
}
interface IRun {
int run();
}
案例3 final类型参数
public class Demo03 {
public static void main(String[] args) {
// 全写
IAddition addition1 = (final int a, final int b) -> a + b;
addition1.add(1, 2);
// 简写
IAddition addition2 = (a, b) -> a+b;
addition2.add(2, 3);
}
}
interface IAddition {
int add(final int a, final int b);
}
更多案例请参考Java8之十分钟学会《Lambda表达式》-实战