Java 8中,你可以为接口添加静态方法和默认方法。从技术角度来说,这是完全合法的,只是它看起来违反了接口作为一个抽象定义的理念。

静态方法:

使用 static 关键字修饰。可以通过接口直接调用静态方法,并执行其方法体。我们经常在相互一起使用的类中使用静态方法。你可以在标准库中 找到像Collection/Collections或者Path/Paths这样成对的接口和类。

默认方法:

默认方法使用 default 关键字修饰。可以通过实现类对象来调用。 我们在已有的接口中提供新方法的同时,还保持了与旧版本代码的兼容性。 比如:java 8 API中对Collection、List、Comparator等接口提供了丰富的默认方法。

  1. public interface InterfaceA {
  2. //静态方法
  3. public static void method1() {
  4. System.out.println("CompareA:北京");
  5. }
  6. //默认方法
  7. public default void method2() {
  8. System.out.println("CompareA:上海");
  9. }
  10. default void method3() {//public 可省略
  11. System.out.println("CompareA:上海");
  12. }
  13. }
  14. -------------------------------------------------------------------------------------------------------------------
  15. public interfaceInterfaceB {
  16. default void method3 () {
  17. System.out.println("CompareB:上海");
  18. }
  19. }
  20. -----------------------------------------------------------------------------------------------------------------------
  21. public class SuperClass {
  22. public void method3() {
  23. System.out.println("SuperClass:北京");
  24. }
  25. }
  26. -----------------------------------------------------------------------------------------------------------------------
  27. class SubClass extends SuperClass implements InterfaceA, InterfaceB {
  28. public void method2() {
  29. System.out.println("SubClass:上海");
  30. }
  31. public void method3() {//必须重写该方法,否则接口冲突
  32. System.out.println("SubClass:深圳");
  33. }
  34. //如何在子类(或实现类)的方法中调用父类、接口中被重写的方法
  35. public void myMethod() {
  36. method3(); //------ > 直接调用子类定义的重写的方法
  37. super.method3();//------ > 调用的是父类中声明的方法
  38. 调用接口中的默认方法
  39. InterfaceA.super.method3();
  40. InterfaceB.super.method3();
  41. }
  42. }
  43. public static void main(String[] args) {
  44. SubClass s = new SubClass();
  45. //s.method1(); ----->编译不通过:接口中的静态方法,不可使用实现类的对象调用
  46. //SubClass.method1(); ----->更不可以通过实现类的类名调用,不同于普通类的继承
  47. InterfaceA.method1(); //----->接口中定义的静态方法,只能通过接口来调用。
  48. //通过实现类的对象,可以调用接口中的默认方法。如果实现类重写了接口中的默认方法,调用时,调用的是重写以后实现类中的方法
  49. s.method2();
  50. /*如果子类(或实现类)继承的父类和实现的接口中声明了同名同参数的默认方法,那么子类在没有重写此方法的情况下,
  51. 默认调用的是父类中的同名同参数的方法。-->类优先原则
  52. 如果实现类实现了多个接口,而这多个接口中定义了同名同参数的默认方法,那么在实现类没有重写此方法的情况下,报错。-->接口冲 突。这就需要我们必须在实现类中重写此方法*/
  53. s.method3();
  54. }