[JAVASE] 类和对象 -- 抽象类和接口
在Java中,我们可以使用abstract关键字来定义抽象类和抽象方法。抽象类不能被实例化,即不能创建该类型的对象。抽象方法只有声明,没有实现,需要在子类中被重写。
接口(Interface)是一种引用类型,是方法的集合,用于定义对象之间通信的协议。接口中的所有方法都是抽象的,不能有具体的实现。
下面是一个抽象类和接口的简单示例:
// 定义一个抽象类
abstract class Animal {
abstract void makeSound();
}
// 定义一个接口
interface Pet {
void play();
}
// 实现抽象类
class Dog extends Animal {
void makeSound() {
System.out.println("Woof!");
}
}
// 实现接口
class Cat implements Pet {
void play() {
System.out.println("Playing with cat toy.");
}
}
public class Main {
public static void main(String[] args) {
Dog dog = new Dog();
dog.makeSound(); // 输出: Woof!
Cat cat = new Cat();
cat.play(); // 输出: Playing with cat toy.
}
}
在这个例子中,Animal
是一个抽象类,它有一个抽象方法makeSound
。Dog
是Animal
的一个实现,它重写了makeSound
方法。
Pet
是一个接口,它有一个抽象方法play
。Cat
实现了Pet
接口,它提供了play
方法的具体实现。
评论已关闭