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