就是指一个引用(类型)在不同情况下的多种状态。
也可以这么理解:多态是指通过指向父类的指针,来调用在不同子类中实现的方法。
一、要有继承;
二、要有重写;
三、父类引用指向子类对象。
Java中多态的实现方式:接口实现,继承父类进行方法重写,同一个类中进行方法重载。
类的定义如下:
class A ...{
public String show(D obj)...{
return ("A and D");
}
public String show(A obj)...{
return ("A and A");
}
}
class B extends A...{
public String show(B obj)...{
return ("B and B");
}
public String show(A obj)...{
return ("B and A");
}
}
class C extends B...{}
class D extends B...{}
下列的输出是什么:
A a1 = new A();
A a2 = new B();
B b = new B();
C c = new C();
D d = new D();
System.out.println(a1.show(b)); ①
System.out.println(a1.show(c)); ②
System.out.println(a1.show(d)); ③
System.out.println(a2.show(b)); ④
System.out.println(a2.show(c)); ⑤
System.out.println(a2.show(d)); ⑥
System.out.println(b.show(b)); ⑦
System.out.println(b.show(c)); ⑧
System.out.println(b.show(d)); ⑨
答案:
① A and A
② A and A
③ A and D
④ B and A
⑤ B and A
⑥ A and D
⑦ B and B
⑧ B and B
⑨ A and D
package com.chen;
public class Test {
public static void main(String args[]){
//多态
Animal cat1 = new Cat();
cat1.cry();
cat1 = new Dog();
cat1.cry();
//主人喂食物
//这里可以明显看出 ,多态让代码更加灵活了
Master m = new Master();
m.feed(new Dog(), new Bone());
m.feed(new Cat(), new Fish());
}
}
//食物类
class Food{
public void showName(){
System.out.println("不知道是什么食物");
}
}
class Fish extends Food{
public void showName(){
System.out.println("鱼");
}
}
class Bone extends Food{
public void showName(){
System.out.println("骨头");
}
}
//动物类
class Animal{
public void cry(){
System.out.println("不知道怎么叫!");
}
public void eat(){
System.out.println("不知道吃什么!");
}
}
class Cat extends Animal{
public void cry(){
System.out.println("喵喵喵~");
}
public void eat(){
System.out.println("猫爱吃鱼");
}
}
class Dog extends Animal{
public void cry(){
System.out.println("汪汪汪~");
}
public void eat(){
System.out.println("狗爱吃骨头");
}
}
//主人类
class Master{
public void feed(Animal an, Food f){
an.eat();
f.showName();
}
}
结果:
喵喵喵~
汪汪汪~
狗爱吃骨头
骨头
猫爱吃鱼
鱼