java父类和子类中构造函数的调用问题实例讲解

java父类和子类中构造函数的调用问题实例讲解。

1.如果父类中没有构造函数,即使用默认的构造函数,那子类的构造函数会自动调用父类的构造函数

  1. class Father {   
  2.   private int a, b;   
  3.   
  4.   void show() {   
  5.     System.out.println(a);   
  6.   }   
  7. }   
  8.   
  9. class Son extends Father {   
  10.   private int c, d;   
  11.   
  12.   Son(int c, int d) {   
  13.     this.c c;   
  14.     this.d d;   
  15.   }   
  16. }   
  17.   
  18. public class ConstructionTest {   
  19.   public static void main(String args[]) {   
  20.     Son new Son(2, 3);   
  21.     s.show();   
  22.   }   
  23.  

输出结果0,说明子类的构造函数自动调用父类的无参构造函数,初始化父类的成员为0

2.如果父类中定义了无参构造函数,子类的构造函数会自动调用父类的构造函数

  1. class Father {   
  2.   private int a, b;   
  3.   
  4.   Father() {   
  5.     System.out.println(“father done”);   
  6.   }   
  7.   
  8.   void show() {   
  9.     System.out.println(a);   
  10.   }   
  11. }   
  12.   
  13. class Son extends Father {   
  14.   private int c, d;   
  15.   
  16.   Son(int c, int d) {   
  17.     this.c c;   
  18.     this.d d;   
  19.   }   
  20. }   
  21.   
  22. public class ConstructionTest {   
  23.   public static void main(String args[]) {   
  24.     Son new Son(2, 3);   
  25.     s.show();   
  26.   }   
  27.  

输出结果:father done
0
说明重写了默认的无参构造函数,子类自动调用这个函数,父类的成员还是被初始化为0.

3. 如果定义了有参构造函数,则不会有默认无参构造函数,这样的话子类在调用父类的午餐构造函数的时候会出错(没有用super调用父类有参构造函数的情况下)

  1. class Father {   
  2.   private int a, b;   
  3.   
  4.   Father(int a, int b) {   
  5.     this.a a;   
  6.     this.b b;   
  7.   }   
  8.   
  9.   void show() {   
  10.     System.out.println(a);   
  11.   }   
  12. }   
  13.   
  14. class Son extends Father {   
  15.   private int c, d;   
  16.   
  17.   Son(int c, int d) {   
  18.     this.c c;   
  19.     this.d d;   
  20.   }   
  21. }   
  22.   
  23. public class ConstructionTest {   
  24.   public static void main(String args[]) {   
  25.     Son new Son(2, 3);   
  26.     s.show();   
  27.   }   
  28.  

输出结果:
Exception in thread “main” java.lang.NoSuchMethodError: Father: method <init>()V
not found
at Son. <init>(Son.java:5)
at ConstructionTest.main(ConstructionTest.java:6)

总结:
1 任何类,都会调用父类的构造器
2 如果没写,则调用父类无参数的
3 否则必须手工写上调用哪个,且必须是第一行 本文链接地址: java父类和子类中构造函数的调用问题实例讲解