ThinkChat2.0新版上线,更智能更精彩,支持会话、画图、阅读、搜索等,送10W Token,即刻开启你的AI之旅 广告
转载自:https://www.runoob.com/java/java8-method-references.html **** **1. 什么是方法引用** * 方法引用通过方法的名字来指向一个方法。 * 方法引用可以使语言的构造更紧凑简洁,减少冗余代码。 * 方法引用使用一对冒号 `::` 。 **2. 方法引用共有4种不同的引用方法** ```java public class Car { public static Car create(final Supplier<Car> supplier) { return supplier.get(); } public static void collide(final Car car) { System.out.println("Collided " + car.toString()); } public void follow(final Car another) { System.out.println("Following " + another.toString()); } public void repair() { System.out.println("Repaired " + this.toString()); } public static void main(String[] args) { //1. 构造器引用:语法是Class::new,或者更一般的Class< T >::new final Car car = Car.create(Car::new); final List<Car> carList = Arrays.asList(car); //2. 静态方法引用:语法是Class::static_method carList.forEach(Car::collide); //3. 特定类的任意对象的方法引用:语法是Class::method carList.forEach(Car::repair); //4. 特定对象的方法引用:语法是instance::method final Car police = Car.create(Car::new); carList.forEach(police::follow); carList.forEach(System.out::println); } } ```