@[TOC]
0 写在前面
引用是基于方法调用的事实提供一种简短的语法,让我们无需看完整的代码就能弄明白代码的意图。
Lambda 表达式的引用分为:方法引用 和 构造器引用两类。
方法引用格式:类名::方法名
构造器引用格式:类名::new
方法引用有三种:
静态方法引用;参数方法引用;实例方法引用。
简单记录一下:
1.1 静态方法引用
格式:类名::方法名
静态方法应用就是调用类的静态方法。
被引用的参数列表和接口中的方法参数一致;接口方法没有返回值的,引用方法可以有返回值也可以没有;接口方法有返回值的,引用方法必须有相同类型的返回值。
举例(Java代码):
//接口
public interface Finder {
public int find(String s1, String s2);
}
//带有静态方法的类
public class StaticMethodClass{
public static int doFind(String s1, String s2){
return s1.lastIndexOf(s2);
}
public static void main(String[] args) {
Finder finder = StaticMethodClass :: doFind;
int i = finder.find("123abc", "b");//此时,Finder 接口引用了 StaticMethodClass 的静态方法 doFind。
System.out.println(i);//输出第二个字符串在第一个字符串最后出现的位置
}
}
结果:
1.2参数方法引用
//接口
public interface Finder {
public int find(String s1, String s2);
}
//带有静态方法的类
public class StaticMethodClass{
public static int doFind(String s1, String s2){
return s1.lastIndexOf(s2);
}
public static void main(String[] args) {
Finder finder = StaticMethodClass :: doFind;
int i = finder.find("123abc", "b");//此时,Finder 接口引用了 StaticMethodClass 的静态方法 doFind。
System.out.println(i);//输出第二个字符串在第一个字符串最后出现的位置
}
}
结果:
1.3实例方法引用
接口方法和实例的方法必须有相同的参数和返回值。
//接口
public interface Serializer {
public int serialize(String v1);
}
public class StringConverter {
public int convertToInt(String v1) {
return Integer.valueOf(v1);
}
public static void main(String[] args) {
StringConverter stringConverter = new StringConverter();
Serializer serializer = stringConverter::convertToInt;
int serialize = serializer.serialize("999");
System.out.println("转成数字类型的结果:"+serialize);
}
}
2 构造器引用
格式:类名::new
接口方法和对象构造函数的参数必须相同。
//接口
public interface MyFactory {
public String create(char[] chars);
}
//类
public class Factory {
public static void main(String[] args) {
MyFactory myfactory = String::new;
char[] chars = {'a','c'};
String s = myfactory.create(chars);
System.out.println("转换成String字符串:"+s);
}
}
结果: MyFactory myfactory = String::new;等价于:MyFactory myfactory = chars->new String(chars);
3 写在最后
一般来说,方法实现比较简单、复用地方不多的时候推荐使用通常的 Lambda 表达式,否则应尽量使用方法引用。
此篇只记录一下Lambda表达式的引用,具体使用等我用熟练了还会在写。