方法引用:
方法引用只是给现有方法起了个别名。
方法引用有四种形式:
- 引用类中静态方法
类名称 :: 静态方法名称
interface IUtil<P,R>{
R switchPara(P p); //将P类型转为R类型
}
public class Test{
public static void main(String[] args) {
IUtil<Integer,String> util = String ::valueOf; //引用String类的valueof方法
//相当于调用String.valueOf(10)
String str = util.switchPara(10);
System.out.println(str.startsWith("1"));//可以调用String类的方法证明确实被转成String了
}
}
- 引用某个对象方法
实例化对象 :: 普通方法
interface IUtil<R>{
R switchPara();
}
public class Test{
public static void main(String[] args) {
IUtil<String> util = "hello" :: toUpperCase; //”hello“是String类的实例化对象,转成大写
//相当于调用了"hello".toUpperCase();
System.out.println(util.switchPara());
}
}
- 引用类中普通方法
类名称 :: 普通方法名
interface IUtil<R,P>{
R compare(P p1,P p2); //输入P类型的两个参数,返回R类型
}
public class Test{
public static void main(String[] args) {
IUtil<Integer,String> util = String::compareTo;
System.out.println(util.compare("刘","杨"));
}
}
- 引用类中的构造方法
类名称 :: new
class Person{
private String name;
private Integer age;
@Override
public String toString() {
return "Person{" +
"name='" + name + '\'' +
", age=" + age +
'}';
}
public Person(String name, Integer age) {
this.name = name;
this.age = age;
}
}
interface IUtil<R,PN,PR>{
R createPer(PN p1,PR p2);
}
public class Test{
public static void main(String[] args) {
IUtil<Person,String,Integer> util = Person::new;
//相当于调用Person p = new Person();
System.out.println(util.createPer("张三",20));
}
}
以上就是方法引用的四种方式。