Instance Initializer block is used to initialize the instance data member. It run each time when object of the class is created.
The initialization of the instance variable can be done directly but there can be performed extra operations while initializing the instance variable in the instance initializer block.
class Bike{ int speed=100; }
Suppose I have to perform some operations while assigning value to instance data member e.g. a for loop to fill a complex array or error handling etc.
Let's see the simple example of instance initializer block that performs initialization.
class Bike7{ int speed; Bike7(){System.out.println("speed is "+speed);} {speed=100;} public static void main(String args[]){ Bike7 b1=new Bike7(); Bike7 b2=new Bike7(); } }
There are three places in java where you can perform operations:
class Bike8{ int speed; Bike8(){System.out.println("constructor is invoked");} {System.out.println("instance initializer block invoked");} public static void main(String args[]){ Bike8 b1=new Bike8(); Bike8 b2=new Bike8(); } }
In the above example, it seems that instance initializer block is firstly invoked but NO. Instance intializer block is invoked at the time of object creation. The java compiler copies the instance initializer block in the constructor after the first statement super(). So firstly, constructor is invoked. Let's understand it by the figure given below:
There are mainly three rules for the instance initializer block. They are as follows:
class A{ A(){ System.out.println("parent class constructor invoked"); } } class B2 extends A{ B2(){ super(); System.out.println("child class constructor invoked"); } {System.out.println("instance initializer block is invoked");} public static void main(String args[]){ B2 b=new B2(); } }
class A{ A(){ System.out.println("parent class constructor invoked"); } } class B3 extends A{ B3(){ super(); System.out.println("child class constructor invoked"); } B3(int a){ super(); System.out.println("child class constructor invoked "+a); } {System.out.println("instance initializer block is invoked");} public static void main(String args[]){ B3 b1=new B3(); B3 b2=new B3(10); } }