目录
方法引用
方法引用:把已经有的方法拿过来用,当做函数式接口中抽象方法的方法体
引用符号 : ::
注意:
1、需要有函数式接口
2、被引用方法必须已经存在
3、被引用方法的形参和返回值需要跟抽象方法保持一致
4、被引用方法的功能要满足当前的需求
示例:
public static void main(String[] args) {
//创建一个数组,要求倒叙排列
Integer[] arr = {2,5,4,1,3};
//方法引用
//表示Test类里面的subtraction方法
//把这个方法当作抽象方法的方法体
Arrays.sort(arr,Test::subtraction);
//打印结果
System.out.println(Arrays.toString(arr));
}
//java已经写好的工具类,也可以是第三方工具类
public static int subtraction(int num1,int num2){
return num2 - num1;
}
1、引用静态方法
格式: 类名::静态方法
示例:
Integer::parseInt
//将一下数字转换为interesting类型
//创建集合
List<String> list = new ArrayList<>();
//添加元素
Collections.addAll(list,"1","2","3");
//1.方法需要已经存在
//2.方法的形参和返回值需要跟抽象方法的形参和返回值保持一致
// 3.方法的功能需要把形参的字符串转换成整数
list.stream().map(Integer::parseInt).forEach(s-> System.out.println(s));
2、引用成员方法
格式:对象::成员方法
1、其他类:其他类对象::方法名
2、本类:this::方法名(引用处不能是静态方法)
3、父类:super::方法名(引用处不能是静态方法)
其他类:其他类对象::方法名
建一个demo类
public class Dome {
public boolean StringJudge(String s){
return s.startsWith("张") && s.length() == 3;
}
}
方法引用
public class Test {
public static void main(String[] args) {
//将一下名字按要求过滤
1、名字要带张,2、要有3个字
//创建集合
List<String> list = new ArrayList<>();
//添加元素
Collections.addAll(list,"张三","李四","王五","张无忌");
//创建对象
Dome dome = new Dome();
list.stream().filter(dome::StringJudge).forEach(s-> System.out.println(s));
}
}
3、引用构造方法
格式:类名::new
示例:
1、建一个学生类
private String name;
private int age;
public Student() {
}
public Student(String str) {
String[] arr = str.split(",");
this.name = arr[0];
this.age = Integer.parseInt(arr[1]);
}
public Student(String name, int age) {
this.name = name;
this.age = age;
}
2、方法引用
//创建集合
List<String> list = new ArrayList<>();
//添加元素
Collections.addAll(list,"张三,13","李四,14","王五,15");
//创建对象
Dome dome = new Dome();
List<Student> collect = list.stream().map(Student::new).collect(Collectors.toList());
System.out.println(collect);
4、类名引用成员方法
格式:类名::成员方法
//把字符串变成大写
//创建集合
List<String> list = new ArrayList<>();
//添加元素
Collections.addAll(list,"aaa","bbb","ccc");
list.stream().map(String::toUpperCase).forEach(s -> System.out.println(s));
5、引用数组的构造方法
格式:数据类型::new
示例:
//把集合中的数据放在数组中
//创建集合
List<Integer> list = new ArrayList<>();
//添加元素
Collections.addAll(list,1,2,3,4,5);
Integer[] integers = list.stream().toArray(Integer[]::new);
System.out.println(Arrays.toString(integers));