Defining constructors Flashcards
How do we call the superclass constructor from the subclass constructor ?
We call the super class constructor from the subclass constructor using the keyword ‘super()’
What is the characteristic of that keyword ?
The keyword super() can only be the first non commented statement of a constructor
Give an example where the constructor of the super class has parameters !
public class Animal {
private int age;
public Animal(int age) {
super();
this.age = age;
}
}
public class Zebra extends Animal {
public Zebra(int age) {
super(age);
}
public Zebra() {
this(4);
}
}
What happens if the parent class has more than one constructor ?
If the parent class has more than one constructor then the child class can use any valid parent constructor in its definition
Describe how the java compiler handle a class declared with no constructor !
When a class doesn’t have a constructor, the java compiler inserts automatically a default no argument constructor that contains in its body a call to the non-argument constructor of the super class using the ‘super’ keyword
Describe what happens if the parent class doesn’t have a no-argument constructor !
If a class doesn’t have a constructor and at the same time, extends a class that doesn’t have a no-argument constructor, this combination will produce a compilation error
Give an example that compiles as well as one that doesn’t compile !
EXAMPLE THAT COMPILES :
public class Mammal {
public Mammal(int age) {
}
}
public class Elephant extends Mammal {
public Elephant() {
super(10);
}
}
EXAMPLE THAT DOESN’T COMPILE :
public class Mammal {
public Mammal(int age) {
}
}
public class Elephant extends
Mammal { // DOES NOT COMPILE
}
Give the constructor rules with an example for each one ! (IMPORTANT)
- The first statement of every constructor is a call to another constructor within the class using this(), or a call to a constructor in the direct parent class using super().
- The super() call can not be used after the first statement of the constructor
- If no super() call is declared in a constructor, Java will insert a no-argument super() as the first statement of the constructor.
- If the parent doesn’t have a no-argument constructor and the child doesn’t define any constructors, the compiler will throw an error and try to insert a default no-argument constructor into the child class.
- If the parent doesn’t have a no-argument constructor, the compiler requires an explicit call to a parent constructor in each child constructor
Give an important rule related to Parent and Child constructors with an example !
In Java, the parent constructor always runs before the child constructor because it is the topmost class in the hierarchy.