多态机制是面向对象技术的精华之一,它是建立在继承基础之上的。所谓多态(polymorphism),子类的对象可以代替父类的对象使用。
在多态情况下,一个引用类型的变量如果声明为父类的类型,但实际引用的是子类对象,则该变量就不能访问子类中添加的属性和方法。
例题:
Book类:
public class Book {
private String name;
private double price;
public void setName(String name){
this.name=name;
}
public void setPrice(double price){
this.price=price;
}
public String getName(){
return this.name;
}
public double getPrice(){
return this.price;
}
public void show(){
System.out.println("book类为"+this.toString());
}
}
Novel类:
public class Novel extends Book{
private String author;
public void setAuthor(String author){
this.author=author;
}
public String getAuthor(String author){
return author;
}
public void show(){
System.out.println("Novel类的对象是"+this.toString());
}
}
测试类:
public class TestNovel{
public void process(Book b){
b.show();
}
public static void main(String[] args){
TestNovel t=new TestNovel();
Book b=new Book();
b.setName("English Language");
b.setPrice(34);
t.process(b);
Novel n=new Novel();
n.setName("the Great Wall");
n.setPrice(46);
n.setAuthor("Zhangsan");
t.process(n);
}
}
在多态的情况下,由于对象以其父类的身份出现,对子类中新添加成员的访问受到限制,有时我们可能需要恢复一个对象的本来面目—造型(Casting),以发挥其全部潜力。 所谓的造型其实就是引用类型数据值之间的强制类型转换。
例题:
Person类:
public class Person
{
String str="Person";
public void print()
{
System.out.println("父类的对象为:"+this.toString());
}
public String getInfo()
{
return str;
}
}
Student类:
public class Student extends Person
{
String str="Student";
public void print()
{
System.out.println("子类的对象为:"+this.toString());
}
public String getInfo()
{
return str;
}
}
测试类:
public class Test1
{
public void cast(Person p)
{
Student st=(Student)p;//造型
System.out.println(st.getInfo());
}
public static void main(String[] args)
{
Test1 t=new Test1();
Student s=new Student();
t.cast(s);
}
}