3.11、抽象类的应用
从对象多态性的概念上来看,子类为父类实例化是一个比较容易的操作,因为可以发生自动的向上转型关系,那么调用的方法永远是被子类覆写过的方法。
那么,此时就可以利用此概念通过对象多态性为抽象类实例化。
abstract class A{
public abstract void fun();
}
class B extends A{
public void fun(){
System.out.println("hello");
}
}
public class Demo{
public static void main(String args[]){
A a = new B();
a.fun();
}
}
此时,已经完成了抽象类对象的实例化操作。
例如:人分为两种,工人和学生
- 假设工人和学生都有姓名和年龄属性,但是工人有工资,学生有成绩
- 工人和学生都可以的话,但是说话的内容不一样。
说话应该是一个具体的功能,但是说话的内容呢应该由各个子类单独实现。
abstract class Person{
private String name;
private int age;
public Person(String name,int age){
this.name = name;
this.age = age;
}
public String getName(){
return this.name;
}
public int getAge(){
return this.age;
}
public void setName(String name){
this.name = name;
}
public void setAge(int age){
this.age = age;
}
public void say(){
System.out.println(this.getContent());
}
public abstract String getContent();
}
class Student extends Person{
private float score;
public Student(String name,int age,float score){
super(name,age);
this.score = score;
}
public String getContent(){
return "学生说 --> 姓名:" + super.getName()
+ "年龄:" + super.getAge()
+ "成绩:" + this.score;
}
}
class Worker extends Person{
private float salary;
private Worker(String name,int age,float salary){
super(name,age);
this.salary = salary;
}
public String getContent(){
return "工人说 --> 姓名:" + super.getName()
+ "年龄:" + super.getAge()
+ "工资:" + this.salary;
}
}
public class Demo02 {
public static void main(String args[]) {
Person per1 = new Student("张三",20,89.0f);
Person per2 = new Student("李四",30,1189.0f);
per1.say();
per2.say();
}
}
抽象类本身最大的用处就在于模板设计。
转载请注明来源