方法引用的定义
简单地说,就是一个Lambda表达式。方法引用提供了一种引用而不执行方法的方式,它需要由兼容的函数式接口构成的目标类型上下文。计算时,方法引用会创建函数式接口的一个实例。
当Lambda表达式中只是执行一个方法调用时,不用Lambda表达式,直接通过方法引用的形式可读性更高一些。
因为我们的Lambda表达式可能仅仅调用一个已经存在的方法(比如只有:System.out.println(str);),那么我们就允许通过方法名来引用这个已经存在的方法。被引用的方法要加上**:😗*。
方法引用的四种方式(其实是五种)
- 对象::实例方法名
- 类::静态方法名
- 类::实例方法名
- 类::new (构造器引用)
- 数组引用。Type::new (new String[]::new)
实例讲解
先准备一个学生类 下面的实例都基于此类
@Getter @Setter @NoArgsConstructor @AllArgsConstructor @ToString public class Student { private String stuName; //学生姓名 private Integer stuAge; //学生年龄 private Double stuGrade;//学生成绩 //单独写一个 只有一个参数的构造函数 public Student(String stuName) { this.stuName = stuName; } }
对象::实例方法名
要求:
public static void main(String[] args) { Student stu = new Student("张三", 18, 85.0); //Supplier<String> supp=()->stu.getStuName(); //[原来写法] Supplier<String> supp = stu::getStuName; //[使用方法引用] System.out.println(supp.get()); //张三 }
类::静态方法名
public static void main(String[] args) { //Comparator<Integer> com=(x,y)->Integer.compare(x, y); //[原来写法] Comparator<Integer> com = Integer::compare; //[使用方法引用] System.out.println(com.compare(1, 2)); //-1 }
类::实例方法名
public static void main(String[] args) { // BiPredicate<String, String> biPre=(str1,str2)->str1.equals(str2); //[原来写法] BiPredicate<String, String> biPre = String::equals; //[使用方法引用] System.out.println(biPre.test("aaa", "aaa")); //true }
此处需要注意:test函数传入的两个参数str1和str2,必须满足:
第一个实例(str1)调用方法
第二个实例(str2)作为参数传入方法
就像str1.equals(str2)
总结:以上三总基本符合共同原则:参数列表和lambda表达式都一样
类::new (构造器引用)
public static void main(String[] args) { //Supplier<Student> supp=()->new Student(); //[原来写法] //Function<String, Student> supp = (name) -> new Student(name); //[原来写法] Supplier<Student> supp = Student::new; //无参构造 Function<String, Student> funOneParam = Student::new; //有参构造 //我们发现 如果参数实在太多(超过3个),就不用使用构造函数引用了 (除非自定义一个函数式接口) //BiFunction<String,Integer,Function<Double,Student>> suppAllParam = Student::new; //全参构造 System.out.println(supp.get()); //Student(stuName=null, stuAge=null, stuGrade=null) System.out.println(funOneParam.apply("fsx")); //Student(stuName=fsx, stuAge=null, stuGrade=null) }
这样多于两个参数的我们就得自己定义接口啦,这里就不再赘述啦!
数组引用。Type::new (new String[]::new)
public static void main(String[] args) { //Function<Integer, String[]> supp = x -> new String[x]; Function<Integer, String[]> supp = String[]::new; String[] array = supp.apply(10); System.out.println(array.length); //输出 10 }
最后
String::valueOf 等价于lambda表达式 (s) -> String.valueOf(s)
Math::pow 等价于lambda表达式 (x, y) -> Math.pow(x, y);