1. 接口:
-
是一种数据类型(引用类型)
-
由interface定义
-
只能包含常量和抽象方法(所有数据默认都是常量,所有方法默认都是抽象的)
-
接口不能被实例化
-
接口是需要被实现/继承的,实现/派生类:必须重写所有抽象方法
-
一个类可以实现多个接口,用逗号分隔。若又继承又实现时,应先继承后实现。
-
接口可以继承接口
// 接口的演示 public class InterfaceDemo { public static void main(String[] args) { //Inter5 o = new Inter5(); // 编译错误,接口不能被实例化 Inter5 o1 = new Doo(); // 向上造型 Inter4 o2 = new Doo(); // 向上造型 } } // 演示接口的语法 interface Inter{ public static final int NUM = 5; public abstract void show(); int COUNT = 5; // 默认public static final void test(); // 默认public abstract //int number; // 编译错误,常量必须声明同时初始化 //void say(){} // 编译错误,抽象方法不能有方法体 } // 演示接口的实现 interface Inter1{ void show(); void test(); } class Aoo implements Inter1{ public void show(){} // 重写接口中的抽象方法时,必须加public权限 public void test(){} } // 演示接口的多实现 interface Inter2{ void show(); } interface Inter3{ void test(); } abstract class Boo{ abstract void say(); } class Coo extends Boo implements Inter2,Inter3{ public void show(){} public void test(){} void say(){} } // 演示接口继承接口 interface Inter4{ void show(); } interface Inter5 extends Inter4{ void test(); } class Doo implements Inter5{ public void test(){} public void show(){} }