转载自:https://blog.csdn.net/u014042146/article/details/48374087,除了个别注释稍作更改,其他没变,代码建议跑一遍,想清楚逻辑。
this 和super在构造函数中只能有一个,且都必须是构造函数当中的第一行。
super关键字,子类可以通过它调用父类的构造函数。
1、当父类的构造函数是无参构造函数时,在子类的构造函数中,就算不写super()去调用父类的构造函数,编译器不会报错,因为编译器会默认的去调用父类的无参构造函数。
classhood {publichood(){
System.out.println("1");
}
}class hood2 extendshood{publichood2(){
System.out.println("2");
}
}public classTEST {public static voidmain(String[] args){
hood2 t= newhood2();
}
}
这段代码的运行结果是:1 2
2、当父类的构造函数是有参构造函数时,此时如果子类的构造函数中不写super()进行调用父类的构造函数,编译器会报错,此时不能省去super()
classhood {public hood(inti){
System.out.println("1"+i);
}
}class hood2 extendshood{publichood2(){super(5);
System.out.println("2");
}
}public classTEST {public static voidmain(String[] args){
hood2 t= newhood2();
}
}
这段代码的运行结果是:15 2
再来是this关键字,可以理解为它可以调用自己的其他构造函数,看如下代码:
classFather {int age; //年龄
int hight; //身体高度
publicFather() {
print();this.age=20; //这里初始化 age 的值
}public Father(intage) {this(); //调用自己的第一个构造函数,下面的两个语句不执行的
this.age =age;
print();
}public Father(int age, inthight) {this(age); //调用自己第二个构造函数 ,下面的两个语句不执行的
this.hight =hight;
print();
}public voidprint() {
System.out.println("I'am a " + age + "岁 " + hight + "尺高 tiger!");
}public static voidmain(String[] args) {new Father(22,7);
}
}
这段代码的运行结果是:
I'am a 0岁 0尺高 tiger!
I'am a 022岁 0尺高 tiger!
I'am a 22岁 7尺高 tiger!