管中窥豹
方法引用让你可以重复使用现有的方法定义,并像Lambda一样传递它们。在一些情况下,比起使用Lambda表达式,它们似乎更易读,感觉也更自然。
inventory.sort((Apple a1,Apple a2)->a1.getWeight().compareTo(a2.getWeight()));
inventory.sort(Comparator.comparing(Apple::getWeight));
如何构建方法引用:
方法引用主要有三类。
- 指向静态方法的方法引用(例如Integer的parseInt方法,写作Integer::parseInt)
- 指向任意类型实例方法的方法引用(例如String的length方法,写作String::length)
- 指向现有对象的实例方法的方法引用(假设你有一个局部变量expensive-Transaction用于存放Transaction类型的对象,它支持实例方法getValue,那么你就可以expensive-Transaction::getValue)
请注意,还有针对构造函数、数组构造函数和父类调用(super-call)的一些特殊形式的方法引用。
构造函数引用
对于一个现有构造函数,你可以利用它的名称和关键字new来创建它的一个引用:ClassName::new。它的功能与指向静态方法的引用类似。例如,假设有一个构造函数没有参数。它适合Supplier的签名() -> Apple。你可以这样做:
Supplier<Apple> c1 = Apple::new;
Apple a1 = c1.get();
等价于:
Supplier<Apple> c1 = () -> new Apple();
Apple a1 = c1.get();
如果你的构造函数的签名是Apple(Integer weight),那么它就适合Function接口的签名,于是你可以这样写:
Function<Integer, Apple> c2 = Apple::new;
Apple a2 = c2.apply(110);
等价于:
Function<Integer, Apple> c2 = (weight) -> new Apple(weight);
Apple a2 = c2.apply(110);
在下面的代码中,一个由Integer构成的List中的每个元素都通过我们前面定义的类似的map方法传递给了Apple的构造函数,得到了一个具有不同重量苹果的List:
List<Integer> weights = Arrays.asList(7, 3, 4, 10);
List<Apple> apples = map(weights, Apple::new);
public static List<Apple> map(List<Integer> list,
Function<Integer, Apple> f){
List<Apple> result = new ArrayList<>();
for(Integer e: list){
result.add(f.apply(e));
}
return result;
}
如果你有一个具有两个参数的构造函数Apple(String color, Integer weight),那么它就适合BiFunction接口的签名,于是你可以这样写:
BiFunction<String, Integer, Apple> c3 = Apple::new;
Apple c3 = c3.apply("green", 110);
等价于:
BiFunction<String, Integer, Apple> c3 =
(color, weight) -> new Apple(color, weight);
Apple c3 = c3.apply("green", 110);