java作业 2017-04-18

  • 一,学习总结
  • 1.学习使用思维导图对Java面向对象编程的知识点(封装、继承和多态)进行总结。

  • 2.阅读下面程序,分析是否能编译通过?如果不能,说明原因。应该如何修改?程序的运行结果是什么?为什么子类的构造方法在运行之前,必须调用父 类的构造方法?能不能反过来?

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(); } }
不能编译通过
如果想要使用构造函数的调用,必须把它放在构造函数中的第一句
修改为
class Parent extends Grandparent { public Parent() { super("Hello.Grandparent."); System.out.println("Parent Created"); } }
运行结果
GrandParent Created.String:Hello.Grandparent.
Parent Created
Child Created


  • 3 . 阅读下面程序,分析程序中存在哪些错误,说明原因,应如何改正?正确程序的运行结果是什么?
    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(); } }
    不能编译通过
    animal.shout(); 这一句 想使用shout 而 Dog的父类Animal里面没有shout
    Dog dog =animal 向下转型,必须进行强制转型
    Animal animal2=new Animal();这句没有说明子类
    程序更改为
    class Animal{ void shout(){ System.out.println("动物叫!"); } void sleep(){} } 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 = (Dog)animal; dog.sleep(); Animal animal2 = new Dog(); dog = (Dog)animal2; dog.shout(); } }
    输出结果
    汪汪......!
    狗狗睡觉......
    狗狗睡觉......
    汪汪......!

  • 4.运行下面程序
    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
    直接输出,没有声明方法,默认使用了 object里面的方法。 随机输出了一些地址信息
    (2)那么,程序的运行结果到底是什么呢?利用eclipse打开println(per)方法的源码,查看该方法中又调用了哪些方法,能否解释本例的运行结果?
    源码如下
    public void println(Object x) { String s = String.valueOf(x); synchronized (this) { print(s); newLine(); } }
    如果x为空返回空,不为空返回调用toString的内容
    (3)在Person类中增加如下方法
    public String toString(){ return "姓名:" + this.name + ",年龄:" + this.age ; }
    重新运行程序,程序的执行结果是什么?说明什么问题?
    姓名:张三,年龄:20 姓名:张三,年龄:20
    子类Person类重复了一遍Object类中toString()方法


  • 二.实验总结


2.

3.(1)该种方法使用的重复语句过多。
(3)多态可以更加便捷的调用,省去重复的语句。