接口(英文:Interface),在JAVA编程语言中是一个抽象类型,是抽象方法的集合,接口通常以interface来声明。一个类通过继承接口的方式,从而来继承接口的抽象方法。接口并不是类,编写接口的方式和类很相似,但是它们属于不同的概念。类描述对象的属性和方法。接口则包含类要实现的方法。除非实现接口的类是抽象类,否则该类要定义接口中的所有方法。接口无法被实例化,但是可以被实现(主要作用)。一个实现接口的类,必须实现接口内所描述的所有方法,否则就必须声明为抽象类。另外,在 Java 中,接口类型可用来声明一个变量,他们可以成为一个空指针,或是被绑定在一个以此接口实现的对象。
接口的声明语法格式如下:
[可见度] interface 接口名称 [extends 其他的类名] {
// 声明变量 // 抽象方法
}
Interface关键字用来声明一个接口。下面是接口声明的一个简单例子。
/* 文件名 : NameOfInterface.java */
import java.lang.*; //引入包
public interface Animal
{ //任何类型 final, static 字段 //抽象方法
}
接口有以下特性:
/* 文件名 : Animal.java */
interface Animal {
public void eat();
public void travel();
}
当类实现接口的时候,类要实现接口中所有的方法。否则,类必须声明为抽象的类。
类使用implements关键字实现接口。在类声明中,Implements关键字放在class声明后面。
实现一个接口的语法,可以使用这个公式:
...implements 接口名称[, 其他接口名称, 其他接口名称..., ...] ...
public class Testimpletments implements TestCat{
public void test1()
{
System.out.println("This is the test1,thank you.");
}
public void test2()
{
System.out.println("This is the test2,thank you.");
}
public void test3()
{
System.out.println("This is the test3,thank you.");
}
public void test4()
{
System.out.println("This is the test4,thank you.");
}
public static void main(String[] args)
{
Testimpletments t=new Testimpletments();
t.test1();
t.test2();
t.test3();
t.test4();
System.out.println("祝贺您,您已经掌握了接口的继承,继续加油吧");
}
}
以上实例编译运行结果如下:
This is the test1,thank you.
This is the test2,thank you.
This is the test3,thank you.
This is the test4,thank you.
祝贺您,您已经掌握了接口的继承,继续加油吧
重写接口中声明的方法时,需要注意以下规则:
在实现接口的时候,也要注意一些规则:
一个接口能继承另一个接口,和类之间的继承方式比较相似。接口的继承使用extends关键字,子接口继承父接口的方法。
下面的Animal接口被TestCat接口继承:
public interface TestCat extends Animal{
void test3();
void tets4();
}
TestCat接口自己声明了两个方法,从Animal接口继承了两个方法,这样,实现TestCat接口的类需要实现四个方法。
在Java中,类的多继承是不合法,但接口允许多继承。非常重要!!!!!
在接口的多继承中extends关键字只需要使用一次,在其后跟着继承接口。 如下所示:
public interface Hockey extends Sports, Event
以上的程序片段是合法定义的子接口,与类不同的是,接口允许多继承,而 Sports及 Event 可能定义或是继承相同的方法
import java.lang.*;
import java.util.*;
public interface Animal
{ void test1();
void test2();
}
public interface TestCat extends Animal{
void test3();
void tets4();
}
public class Testimpletments implements TestCat{
public void test1()
{
System.out.println("This is the test1,thank you.");
}
public void test2()
{
System.out.println("This is the test2,thank you.");
}
public void test3()
{
System.out.println("This is the test3,thank you.");
}
public void test4()
{
System.out.println("This is the test4,thank you.");
}
public static void main(String[] args)
{
Testimpletments t=new Testimpletments();
t.test1();
t.test2();
t.test3();
t.test4();
System.out.println("祝贺您,您已经掌握了接口的继承,继续加油吧");
}