大家都知道this 和 super 调用构造函数时都必须放在第一句,今天同学问我的一个问题有点意思。
那么:我怎么在子类中 显式的用 super 初始化父类同时用 this 初始化子类?
-------------------------------------------------------------------------------------
首先大家必须认识到两点:
1. super 调用构造函数的 作用是 为了初始化子类前先初始化父类,仅此而已。
2. 每个类的构造函数有且仅有一个会执行属性的初始化,即使你用的this, 那最后实际上也是this 指向的那个构造函数会执行。
下面分两种情况具体分析下
(1) 父类提供了无参的构造函数
这种情况比较简单,因为子类的构造函数会自动的调用父类的无参构造方法,不需要显式的加 super()。
但如果我手贱,硬要加怎么办?那么会无法编译,不然这样就多次初始化父类了,有 导致不一致状态 的潜在风险。
如下图:父类提供了一个无参的构造函数,子类有一个默认构造函数,三个带参的构造函数。
上文说了,实例化时,有且仅有一个构造函数会执行,当用son1(), son1(int p3) 都最终会调用最后一个构造函数,
所以最后一个构造函数执行前会调用父类的构造函数,如果son1(), son1(int p3) 也显示的调用super(),则多次初始化父类了,
这显然是不对的;而 son1(int p2, int p3) 自己初始化属性,所以没这个问题,可以显式的调用super()。
public class father { int age; public father(){ age = 50; } } public class son1 extends father{ int property1; int property2; int property3; public son1(){ this(1,2,3); } public son1(int p3){ this(1,2,p3); } public son1(int p2, int p3){ super(); property1 = 1; this.property2 = p2; this.property3 = p3; } public son1(int p1, int p2, int p3){ super(); property1 = p1; property2 = p2; property3 = p3; } }
(2) 父类没有提供无参的构造函数
此时必须在子类中显式调用super(parm) 初始化父类。
同样,后面的两个构造函数必须显式的调用 super
public class Father { int age; public Father(int age) { this.age = age; } } public class Son extends Father{ int property1; int property2; int property3; //构造函数1 public Son(){ //super(40); this(1,2,3); } //构造函数2 public Son(int p3){ //super(40); this(1,2,p3); } //构造函数3 public Son(int p2, int p3){ super(40); property1 = 1; this.property2 = p2; this.property3 = p3; } //构造函数4 public Son(int p1, int p2, int p3){ super(40); property1 = p1; property2 = p2; property3 = p3; } }
总结:this 与 super 调用构造函数时,都必须第一行,这样导致他们不能同时使用,但你并不需要担心没有初始化父类。
因为,this 最终指向的子类构造函数中,一定会调用super() 初始化父类,默认的或者带参的。