Java构造函数里的一些坑记录super()和this()
作者:nvd11
这篇文章主要介绍了Java构造函数里的一些坑记录super()和this(),具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,望不吝赐教
super() 和 this()
这个很好理解, super() 就是在子类的构造函数里调用父类的构造函数
this() 就是调用同类的另1个不同参数类型的构造函数.
坑1 super()和this()都只能用在构造函数中,且必须是方法体第一行
大家都知道, 其实这不算坑
坑2 某些情况下,构造方法不会被自动继承,如果需要必须重写
例如, 父类:
@Slf4j public class ParentC1 { private int id; private String name; public ParentC1(){ this.id = 1; this.name = "name"; log.info("ParentC1().."); }
子类:
@Slf4j public class ChildC1 extends ParentC1 { private int age; }
这时子类是自动继承父类的无参函数的, 可以被实例化…
但是 如果加上另1个参数类型的构造函数给子类
@Slf4j public class ChildC1 extends ParentC1 { private int age; public ChildC1(int id, String name) { this.age = 1; log.info("ChildC1(id, name).."); } }
这时就不能通过无参构造函数实例化子类了, 因为java发现子类已有1个构造函数, 不会自动从父类继承。
坑3 子类总会隐含地调用父类构造函数(super())
注意, 这里两个关键字, 隐含和调用
隐含意思是隐患了super() 声明, 调用是指的调用而不是继承。
例子1:
例如, 父类:
@Slf4j public class ParentC1 { private int id; private String name; public ParentC1(){ this.id = 1; this.name = "name"; log.info("ParentC1().."); }
子类:
@Slf4j public class ChildC1 extends ParentC1 { private int age; public ChildC1() { log.info("ChildC1().."); } }
这是调用子类无参构造和函数时,会调用父类无参构造方法, 无论有无声明super()
例子2:
例如, 父类:
@Slf4j public class ParentC1 { private int id; private String name; public ParentC1(){ this.id = 1; this.name = "name"; log.info("ParentC1().."); } public ParentC1(int id, String name) { this.id = id; this.name = name; log.info("ParentC1(id, name).."); }
子类:
@Slf4j public class ChildC1 extends ParentC1 { private int age; public ChildC1(){ log.info("ChildC1().."); } public ChildC1(int id, String name) { super(id,name); this.age = 1; log.info("ChildC1(id, name).."); } }
父类和都增加了(int id, String name) 这个双参构造 函数
在子类的双参构造函数里显示调用父类的双参构造函数。
这时, 调用子类双参构造函数时, 父类的双参构造函数会被调用, 顺理成章,这例子主要用于下面的例子对比。
例子3:
例如, 父类:
@Slf4j public class ParentC1 { private int id; private String name; public ParentC1(){ this.id = 1; this.name = "name"; log.info("ParentC1().."); } public ParentC1(int id, String name) { this.id = id; this.name = name; log.info("ParentC1(id, name).."); }
子类:
@Slf4j public class ChildC1 extends ParentC1 { private int age; public ChildC1(){ log.info("ChildC1().."); } public ChildC1(int id, String name) { //super(id,name); this.age = 1; log.info("ChildC1(id, name).."); } }
这个例子3 对比例子2 只是隐藏了子类双参构造函数里的 super(id, name)
重点来了, 这是调用子类双参构造函数,仍然会尝试调用父类的构造函数, 但是会默认调用父类的无参构造函数。
例子4:
例如, 父类:
@Slf4j public class ParentC1 { private int id; private String name; public ParentC1(int id, String name) { this.id = id; this.name = name; log.info("ParentC1(id, name).."); }
子类:
@Slf4j public class ChildC1 extends ParentC1 { private int age; public ChildC1(){ log.info("ChildC1().."); } public ChildC1(int id, String name) { //super(id,name); this.age = 1; log.info("ChildC1(id, name).."); } }
例子4 相对于例子3 删除了父类的无参构造函数, how is it then?
这是编译失败, 同时会被IDE科普教育
子类找不到可以默认调用的父类无参函数,
而子类双参构造 函数是不会默认调用父类的双参构造函数的, 即使参数类型完全一样。
总结
以上为个人经验,希望能给大家一个参考,也希望大家多多支持脚本之家。