簡介
Lambda表達(dá)式(也稱閉包),是Java8發(fā)布的新特性中最受期待和歡迎的新特性之一。在Java語法層面Lambda表達(dá)式允許函數(shù)作為一個方法的參數(shù)(函數(shù)作為參數(shù)傳遞到方法中),或者把代碼看成數(shù)據(jù)。Lambda表達(dá)式用于簡化Java中接口式的匿名內(nèi)部類,被稱為函數(shù)式接口的概念。函數(shù)式接口就是一個只具有一個抽象方法的普通接口锄禽,像這樣的接口就可以使用Lambda表達(dá)式來簡化代碼的編寫。
語法
(args1, args2...)->{};
使用Lambda的前提
對應(yīng)接口有且只有一個抽象方法Qプ恕N值!
使用Lambda的優(yōu)缺點
使用Lambda表達(dá)式可以簡化接口匿名內(nèi)部類的使用佛吓,可以減少類文件的生成宵晚,可能是未來編程的一種趨勢垂攘。但是使用Lambda表達(dá)式會減弱代碼的可讀性,而且Lambda表達(dá)式的使用局限性比較強(qiáng)淤刃,只能適用于接口只有一個抽象方法時使用晒他,不宜調(diào)試。
案例1 無參無返回
public class Demo01 {
public static void main(String[] args) {
// 1.傳統(tǒng)方式 需要new接口的實現(xiàn)類來完成對接口的調(diào)用
ICar car1 = new IcarImpl();
car1.drive();
// 2.匿名內(nèi)部類使用
ICar car2 = new ICar() {
@Override
public void drive() {
System.out.println("Drive BMW");
}
};
car2.drive();
// 3.無參無返回Lambda表達(dá)式
ICar car3 = () -> {System.out.println("Drive Audi");};
// ()代表的就是方法逸贾,只是匿名的陨仅。因為接口只有一個方法所以可以反推出方法名
// 類似Java7中的泛型 List<String> list = new ArrayList<>(); Java可以推斷出ArrayList的泛型。
car3.drive();
// 4.無參無返回且只有一行實現(xiàn)時可以去掉{}讓Lambda更簡潔
ICar car4 = () -> System.out.println("Drive Ferrari");
car4.drive();
// 去查看編譯后的class文件 大家可以發(fā)現(xiàn) 使用傳統(tǒng)方式或匿名內(nèi)部類都會生成額外的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");
// 參數(shù)數(shù)據(jù)類型可以省略
IEat eat2 = (thing) -> System.out.println("eat " + thing);
eat2.eat("banana");
// 2.多個參數(shù)
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類型參數(shù)
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);
}