package bzu.aa;
public class Vehicle {
int capacity;
public int getCapacity() {
return capacity;
}
public void setCapacity(int capacity) {
this.capacity = capacity;
}
public Vehicle(){
capacity = 2;
System.out.println("执行交通工具的无参构造方法");
}
public Vehicle(int capacity){
this.capacity = capacity;
}
public void print(){
System.out.println("载客量为:"+capacity);
}
}
package bzu.aa;
public class Car extends Vehicle{
int speed;
public Car(){
speed = 0;
System.out.println("执行汽车类的无参构造方法");
}
public Car(int speed){
super();
this.speed = speed;
System.out.println("执行汽车类的有参构造方法");
}
public int speedUp(){
return speed+=10;
}
public int speedDown(){
return speed-=15;
}
public void print(){
System.out.println("速度为:"+speed+"\n载客量为:"+capacity);
}
}
package bzu.aa;
public class Bus extends Vehicle{
int capacity;
int speed;
public Bus(){
capacity = 20;
speed = 0;
System.out.println("执行公交类的无参构造方法");
}
public Bus(int capacity,int speed){
super();
this.capacity = capacity;
this.speed = speed;
System.out.println("执行公交类的有参构造方法");
}
public int speedUp(int speed){
return speed+=10;
}
public int speedDown(int speed){
return speed-=15;
}
public void print(){
System.out.println("速度为:"+speed+"\n载客量为:"+capacity);
}
}
package bzu.bb;
import bzu.aa.Bus;
import bzu.aa.Car;
public class Test {
public static void main(String[] args) {
Car car = new Car();
//speed=0,加速到50,每次加速10,加速5次
for(int n=0;n<5;n++)
car.speedUp();
car.print();
//减速到20,每次减速15,减速2次
for(int m=0;m<2;m++)
car.speedDown();
car.print();
Bus bus = new Bus(5, 60);
bus.print();
}
}
– 在包bzu.aa中定义一个交通工具类(Vehicle):
n 属性——载客量(capacity)
n 方法
u 无参构造方法(给capacity初始化值为2,并输出“执行交通工具类的无参构造方法。”)
u 有参构造方法(传参给capacity初始化,并输出“执行交通工具的有参构造方法。”)
u capacity的set、get方法
u print方法:输出capacity
– 在包bzu.aa中定义一个汽车类(Car)继承交通工具类:
n 属性——speed
n 方法
u 无参构造方法(给speed初始化值为0,并输出“执行汽车类的无参构造方法。”)
u 有参构造方法(用super关键字调用父类的有参构造方法,传参给speed初始化,并输出“执行汽车类的有参构造方法。”)
u 加速(speedup):speed+10并返回speed;
u 减速(speeddown):speed-15并返回speed;
u 重写print方法:输出speed和capacity。
– 在包bzu.bb中定义一个final的公交车类(Bus),继承汽车类:
n 属性——载客量(capacity)<变量隐藏>
n 方法
u 无参构造方法(给capacity初始化值为20,并输出“执行公交车类的无参构造方法。”)
u 有参构造方法(用super关键字调用父类的有参构造方法,传参给capacity初始化,并输出“执行公交车类的有参构造方法。”)
u 重写print方法:输出speed、 capacity及父类的capacity。
– 在包bzu.bb中编写一个主类Test:
n 主函数
u 调用无参构造方法创建一个Car的对象car;调用加速方法将速度加至50,调用print方法;调用减速方法,将速度减至20,调用print方法。
u 调用有参构造方法创建一个Bus的对象bus;调用print方法。