1.阅读下面程序,分析是否能编译通过?如果不能,说明原因。应该如何修改?程序的运行结果是什么?为什么子类的构造方法在运行之前,必须调用父 类的构造方法?能不能反过来?
class Grandparent {
public Grandparent() {
System.out.println("GrandParent Created.");
}
public Grandparent(String string) {
System.out.println("GrandParent Created.String:" + string);
}
}
class Parent extends Grandparent {
public Parent() {
System.out.println("Parent Created");
super("Hello.Grandparent.");
}
}
class Child extends Parent {
public Child() {
System.out.println("Child Created");
}
}
public class Test{
public static void main(String args[]) {
Child c = new Child();
}
}
不能通过编译,super语句应该放在第一句。
与this调用构造方法的要求一样,super语句必须放在子类构造方法的首行,不能反过来。无论子类如何操作,最终必须要首先调用父类中的构造方法。super语句直接访问父类中的属性,直接访问父类的方法。
2.阅读下面程序,分析程序中存在哪些错误,说明原因,应如何改正?正确程序的运行结果是什么?
class Animal{
void shout(){
System.out.println("动物叫!");
}
}
class Dog extends Animal{
public void shout(){
System.out.println("汪汪......!");
}
public void sleep() {
System.out.println("狗狗睡觉......");
}
}
public class Test{
public static void main(String args[]) {
Animal animal = new Dog();
animal.shout();
animal.sleep();
Dog dog = animal;
dog.sleep();
Animal animal2 = new Animal();
dog = (Dog)animal2;
dog.shout();
}
}
(1) animal.sleep();错误.sleep是子类中的方法,声明父类的对象,父类的对象不能直接调用子类中的slepp方法。
(2)Dog dog = animal;错误,向下转型,直接这样定义是不对的,因为没有定义清楚谁是谁的父类,谁是谁的子类,父类可以有多个子类,应该让父类清楚哪个是要转型的子类。
(3)Animal animal2 = new Animal();
dog = (Dog)animal2;错误,强制转换,声明的对象需要父类指向子类的才行。
修改:
1.((Dog) animal).sleep();强制转换类型,改成dog的对象。
2.修改成Dog dog =(Dog) animal;
3.修改成 Animal animal2 = new Dog()
3.运行下列程序
class Person {
private String name ;
private int age ;
public Person(String name,int age){
this.name = name ;
this.age = age ;
}
}
public class Test{
public static void main(String args[]){
Person per = new Person("张三",20) ;
System.out.println(per);
System.out.println(per.toString()) ;
}
}
(1)程序的运行结果如下,说明什么问题?
Person@166afb3
Person@166afb3
toString()方法虽然没有写,但是也可以调用,但是调用的是系统默认的toString,与数据没有关系。
(2)那么,程序的运行结果到底是什么呢?利用eclipse打开println(per)方法的源码,查看该方法中又调用了哪些方法,能否解释本例的运行结果?
public String toString() {
return getClass().getName() + "@" + Integer.toHexString(hashCode());
}
(3)在Person类中增加如下方法
public String toString(){
return "姓名:" + this.name + ",年龄:" + this.age ;
}
所有的类均为Object类的子类,当该类写了了toString方法后,再调用时就会调用类中的方法,如果不写,调用的是Object类默认的toString方法。
4.汽车租赁公司,出租汽车种类有客车、货车和皮卡三种,每辆汽车除了具有编号、名称、租金三个基本属性之外,客车有载客量,货车有载货量,皮卡则同时具有载客量和载货量。用面向对象编程思想分析上述问题,将其表示成合适的类、抽象类或接口,说明设计思路。现在要创建一个可租车列表,应当如何创建?
(1)定义一个抽象类,具有编号、名称、租金三个属性;
(2)定义两个接口:载货量、载客量;
(3)定义三个子类继承抽象类,客车类实现载客量接口,火车类实现载货量接口,皮卡类实现载客量和载货量接口。
(二)实验总结
1.银行
程序设计思路:创建一个银行类和一个bank类,在bank类中进行功能实现银行类为主方法
1.java中while循环中ture为循环与C中不同不能写“1”.
2.员工
程序设计思路:定义一个员工类,定义一个管理类,定义职员类继承员工,定义测试类进行对各类的调用及测试。
问题及解决办法:
对继承关系还是有点模糊,用父类声明了一个对象,并不能,直接在测试类中用该对象对子类的方法调用。
双引号引起来的话传递的是双引号中的字符串内容。
3.对平面图形以及立体图形的计算
程序设计思路:首先定义两个抽象类,分别定义平面图形抽象类和立体图形抽象类。
平面图形抽象类中提供 求周长和面积的方法
立体图形抽象类中提供 求表面积和体积的方法
然后分别对各个图形及立体图形创建对应的类,类中进行数据的运算。
创建一个测试类,在测试类中进行对所选择的图形的各个值的给定,根据随机出各个的数据,进行回答。