3.3、子类的实例化过程

  1. 3.3、子类的实例化过程

3.3、子类的实例化过程

class Person{
    private String name;
    private int age;
    public Person(){
        System.out.println("*********************");
    }
    public String getName() {
        return name;
    }
    public void setName(String name) {
        this.name = name;
    }
    public int getAge() {
        return age;
    }
    public void setAge(int age) {
        this.age = age;
    }
}
class Student extends Person{
    private String school;
    public Student(){
        System.out.println("=====================");
    }
    public String getSchool() {
        return school;
    }
    public void setSchool(String school){
        this.school = school;
    }
}

public class Demo00 {
    public static void main(String args[]) {
    Student stu = new Student();
    }
}

以上的操作代码在执行时,发现先执行了父类中的无参构造方法(如果没有定义,则编译时也会出现错误),之后才调用了子类自己的构造方法,那么为什么这么做?

  • 构造方法的主要目的:是为了类中的属性初始化
  • 在实例子类对象的时候肯定要首先实例父类中的内容,为父类初始化

那么,实际,此时对于子类的构造方法而言实际上就隐藏了一个super()的语句。

public Student(){
    super();
    System.out.println("=========================");
}

父类在程序中又称为super class。实际上此语句就是表示调用父类中的无参构造方法。

class Person{
    private String name;
    private int age;
    public Person(String name,int age){
        this.name = name;
        this.age = age;
    }
    public String getName() {
        return name;
    }
    public void setName(String name) {
        this.name = name;
    }
    public int getAge() {
        return age;
    }
    public void setAge(int age) {
        this.age = age;
    }
}
class Student extends Person{
    private String school;
    public Student(String name,int age,String school){
        super(name,age);
        this.school = school;
    }
    public String getSchool() {
        return school;
    }
    public void setSchool(String school){
        this.school = school;
    }
}

public class Demo00 {
    public static void main(String args[]) {
    Student stu = new Student("张三",30,"清华大学");
    System.out.println("姓名:"+ stu.getName());
    System.out.println("年龄:"+ stu.getAge());
    System.out.println("学校:"+ stu.getSchool());
    }
}

反对意见:

​ 我现在可以编写出一个代码,让此代码永远无法调用父类的构造。

class Student extends Person{
    private String school;
    public Student(String name,int age,String school){
        super(name,age);
        this.school = school;
    }
    public Student(String name.int age){
        this(name,age,"清华大学");
    }
    public String getSchool() {
        return school;
    }
    public void setSchool(String school){
            this.school = school;
    }
}

实际上,以上的程序在编译的时候将产生错误,因为在使用this调用其他方法的时候,至少留有一个构造方法是没有使用this调用的,作为统一的出口,实际上不管子类怎么搞,那么这个统一的出口,最终肯定会调用父类的构造方法。


转载请注明来源