方法引用_通过this引用本类的成员方法和方法引用_类的构造器(构造方法)引用
作者:互联网
package com.yang.Test.ThisMethodReference;
/**
* 通过this引用本类的成员方法
*/
public class Husband {
//定义一个买房子的方法
public void buyHouse() {
System.out.println("北京二环内买一条房子");
}
//定义一个结婚的方法,参数传递Richable接口
public void marry(Richable r){
r.buy();
}
//定义一个非常高兴的方法
public void soHappy(){
/* //调用结婚的方法,方法的参数Richable是一个函数式接口,传递Lambda表达式
marry(() -> {
//使用this.成员方法调用本类买房子方法
this.buyHouse();
});*/
/**
* 使用方法引用优化Lambda表达式
* this是已经存在的
* 本类的成员方法buyHouse也是已经存在的
* 所以我们可以直接使用this引用本类的成员方法buyHouse
*/
marry(this::buyHouse);
}
public static void main(String[] args) {
Husband husband = new Husband();
husband.soHappy();
}
}
package com.yang.Test.ThisMethodReference;
/**
* 定义一个富有的函数式接口
*/
@FunctionalInterface
public interface Richable {
//定义一个想买什么就买什么的方法
void buy();
}
方法引用_类的构造器(构造方法)引用
package com.yang.Test.ConstructorMethodReference;
/**
* 类的构造器(构造方法)引用
*/
public class Test {
//定义一个方法,参数传递兴民共和PersonBuilder接口,方法中通过姓名创建Person对象
public static void printName(String name, PersonBuilder personBuilder) {
Person person = personBuilder.builderPerson(name);
System.out.println(person);
}
public static void main(String[] args) {
//调用printName方法,方法的参数PersonBuilder接口是一个函数式接口可以传递Lambda
printName("迪丽热巴",name -> new Person(name));
printName("迪丽热巴",Person::new);
}
}
package com.yang.Test.ConstructorMethodReference;
/**
* 定义一个创建Person对象的函数式接口
*/
@FunctionalInterface
public interface PersonBuilder {
//定义一个方法,根据传递的姓名,创建Person对象返回
Person builderPerson(String name);
}
package com.yang.Test.ConstructorMethodReference;
public class Person {
private String name;
@Override
public String toString() {
return "Person{" +
"name='" + name + '\'' +
'}';
}
public Person(String name) {
this.name = name;
}
public Person() {
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
数组的构造器引用
package com.yang.Test.ArrayMethodReference;
/**
* 数组的构造器引用
*/
public class Test {
/**
* 定义一个方法
* 方法的参数传递创建数组的长度和ArrayBuilder接口
* 方法内部根据传递的长度使用ArrayBuilder中的方法创建数组并返回
*/
public static int[] createArray(ArrayBuilder arrayBuilder, int length) {
int[] ints = arrayBuilder.builderArray(length);
return ints;
}
public static void main(String[] args) {
//调用createArray方法传递数组的长度和Lambda
int[] array = createArray(length -> {
//根据数组的长度创建数组并返回
return new int[length];
}, 5);
System.out.println(array.length);
for (int i : array) {
System.out.println(i);
}
/**
* 使用方法引用优化Lambda表达好似
* 已知创建的就是int[]数组
* 数组的长度也是已知的
* 就可以使用方法引用
* int[]引用new,根据参数传递的长度来创建数组
*/
int[] array1 = createArray(int[]::new, 10);
System.out.println(array1.length);
}
}
package com.yang.Test.ArrayMethodReference;
/**
* 定义一个创建数组的函数式接口
*/
@FunctionalInterface
public interface ArrayBuilder {
//定义一个创建int类型数组的方法,参数传递数组的长度,返回创建好的int类型数组
int[] builderArray(int length);
}
标签:name,int,本类,Person,引用,方法,public,String 来源: https://www.cnblogs.com/ailhy/p/16504539.html