抽象类
(1)如果父类的方法本身不需要实现任何功能,仅仅是为了定义方法签名,目的是为了让子类去覆写它,那么可以把父类的方法声明为抽象方法。
(2) 当一个方法被声明为abstract,就表示它已经是抽象方法了,本身没有实现任何方法语句,因为这个抽象方法本身是无法执行的,所以父类本身也无法被实例化。
(3)因为抽象类的设计使他只能用于被继承,因此,抽象类可以强迫子类实现其定义的抽象方法,否则编译会报错。在一定程度上相当于定义了“规范”。
public class Exercise {
public static void main(String[] args) {
Person p=new student();
p.run();
}
}
abstract class Person{
public abstract void run();
}
class student extends Person{
@Override
public void run() {
System.out.println("Student.run");
}
}
廖雪峰抽象类练习题:使用抽象类给一个有工资收入和稿费收入的小伙伴算税
代码如下
class Exercise{
public static void main(String[] args)
{
// TODO: 用抽象类给一个有工资收入和稿费收入的小伙伴算税:
Income[] incomes = new Income[] {new SalaryIncome(7500), new RoyaltyIncome(12000) };
double total = 0;
// TODO:
for (Income in:incomes)
{
total += in.getTax();
}
System.out.println(total);
}
}
//计税的抽象类
abstract class Income
{
protected double income;
public Income(double income)
{
this.income = income;
}
public abstract double getTax();
}
//工资计税
class SalaryIncome extends Income
{
public SalaryIncome(double income)
{
super(income);
}
@Override
public double getTax()
{
if (this.income <= 5000) {
return 0;
}
return (this.income - 5000) * 0.2;
}
}
//稿费计税
class RoyaltyIncome extends Income
{
public RoyaltyIncome(double income)
{
super(income);
}
@Override
public double getTax()
{
return this.income * 0.1;
}
}