在学习default关键字之前,需要先理解接口,了解接口的使用
接口的使用传送门
一,default介绍
default诞生在Java8,主要用处是打破了Java对于接口语法的限制,能在接口中定义普通方法,使得接口在进行扩展的时候,直接写方法体,不会破坏与接口相关的实现类代码。
注:default修饰方法只能在接口中使用。
二,default的使用
1 接口调用实现
分以下几种情况
1.1 一个接口,没有同名方法
创建接口Interface1,并定义default方法hello方法
public interface Interface1 {
default void hello(){
System.out.println("我是Interface1中的default方法hello()方法");
}
}
创建接口实现类demo1
public class Demo1 implements Interface1{
}
创建测试类,定义main方法,实例化接口实现类,调用方法
public class Test {
public static void main(String[] args) {
Demo1 demo1 = new Demo1();
demo1.hello();
}
}
输出结果
1.2 多个接口,并且有同名方法
在上面的基础上,新建Interface2接口,创建default方法hello()。
public interface Interface2 {
default void hello(){
System.out.println("我是Interface2中的default方法hello()方法");
}
}
在demo1接口实现类中,加入Interface2接口
public class Demo1 implements Interface1,Interface2{
}
此时会报错,编译器让我们重写hello方法,当我们两个接口中有同名方法时,Java不知道调用哪个,所以报错。
重写后的demo1:
public class Demo1 implements Interface1,Interface2{
@Override
public void hello() {
System.out.println("我是Demo1中重写后的hello方法");
}
}
结果输出
1.3 接口和父类有同名方法
在1.1的基础上,创建新类demo2,并且编辑hello()方法
public class Demo2 {
public void hello(){
System.out.println("我是Demo2中的hello()方法");
}
}
让demo1继承demo2,并且实现Interface1接口
public class Demo1 extends Demo2 implements Interface1{
}
运行main方法,输出结果为
此时实现的是demo2类中的hello方法
有以下几种说法:
第一种:优先级的问题,类的优先级是要高于接口的
第二种:在编译的时候,接口,父类,子类已经形成了继承关系,子类先继承了接口中的hello方法,随后再继承父类中的hello方法,父类中的hello方法覆盖了接口的方法,所以输出父类语句。
第三种:先继承了父类的hello方法,在实现接口的方法的时候,由于子类中已经有了hello方法,所以算已经实现了接口中的hello方法。
具体哪种方法就不是很清楚了,欢迎各位指点。