Java 多态
Java 多态性
多态意味着“多种形式”,当我们拥有许多通过继承相互关联的类时,就会发生多态。
正如我们在上一章中所述;继承 允许我们从另一个类继承属性和方法。多态使用这些方法来执行不同的任务。这使我们能够以不同的方式执行单个操作。
例如,考虑一个名为 Animal
的超类,它有一个名为 animalSound()
的方法。动物的子类可以是猪、猫、狗、鸟——它们也有自己的动物声音实现(猪发出哼哼声,猫发出喵喵声,等等)。
示例
class Animal {
public void animalSound() {
System.out.println("The animal makes a sound");
}
}
class Pig extends Animal {
public void animalSound() {
System.out.println("The pig says: wee wee");
}
}
class Dog extends Animal {
public void animalSound() {
System.out.println("The dog says: bow wow");
}
}
请记住,从 继承章节 中,我们使用 extends
关键字从一个类继承。
现在,我们可以创建 Pig
和 Dog
对象,并对它们都调用 animalSound()
方法。
示例
class Animal {
public void animalSound() {
System.out.println("The animal makes a sound");
}
}
class Pig extends Animal {
public void animalSound() {
System.out.println("The pig says: wee wee");
}
}
class Dog extends Animal {
public void animalSound() {
System.out.println("The dog says: bow wow");
}
}
class Main {
public static void main(String[] args) {
Animal myAnimal = new Animal(); // Create a Animal object
Animal myPig = new Pig(); // Create a Pig object
Animal myDog = new Dog(); // Create a Dog object
myAnimal.animalSound();
myPig.animalSound();
myDog.animalSound();
}
}
为什么以及何时使用“继承”和“多态”?
- 它对代码重用很有用:在创建新类时重用现有类的属性和方法。