方法引用(1)
通过对象名引用成员方法
这是最常见的一种用法,与上例相同。如果一个类中已经存在了一个成员方法︰
public class Method { // 定义一个成员方法,传递字符串,把字符串按照大写输出 public void prints(String s){ System.out.println(s.toUpperCase()); } }
函数式接口仍然定义为:
/** * 定义一个打印的函数式接口 */ @FunctionalInterface public interface Printable { // 定义字符串的抽象方法 void print(String s); }
那么当需要使用这个prints成员方法来替代Printable接口的Lambda的时候,已经具有了Method类的对象实例,
则可以通过对象名引用成员方法,代码为︰
/* 通过对象名引用成员方法 使用前提是对象名已经存在的,成员方法也是已经存在的 就可以使用对象名来引用成员方法 */ public class Text { // 定义一个方法,方法的参数传递P1rintable接口 public static void printString(Printable p){ p.print("Hello"); } public static void main(String[] args) { // 调用printString方法,方法的参数Printable是一个函数式接口,所有可以传递Lambda表达式 printString((s -> { // 创建Method对象 Method obj = new Method(); // 调用Method对象中的成员方法prints,把字符串按照大写输出来 obj.prints(s); })); /** * 使用方法引用优化lambda * 对象是已经存在的Method * 成员方法也是已经存在的prints * 所以我们可以使用对象名引用成员方法 */ // 创建Method对象 Method obj = new Method(); printString(obj :: prints); } }
通过类名称引用静态方法
由于在java.lang.Nath类中已经存在了静态方法abs,所以当我们需要通过Lambda来调用该方法时,有两种写法。首先是函数式接口∶
@FunctionalInterface public interface Calcable { // 定义一个抽象方法,传递一个整数,对整数进行绝对值计算并返回 int calAbs(int number); }
使用方法引用的更好写法是∶
/** * 通过类名称引用静态方法 * 类已经存在,静态成员方法也已经存在 * 就可以通过类名直接引用静态成员方法 */ public class Method { // 定义一个方法,方法的参数传递要计算绝对值的整数,和函数式接口Calcable public static int method(int number, Calcable c){ return c.calAbs(number); } public static void main(String[] args) { // 调用method方法,传递计算绝对值得整数,和Lambda表达式 int number = method(-10, (n) -> { return Math.abs(n); }); System.out.println(number); /* 使用方法引用优化Lambda表达式 Math类是存在的 abs计算绝对值的静态方法也是存在的 所以我们可以直接通过类名引用静态方法 */ int num =method(-10, Math :: abs); System.out.println(num); } }