Exception propagation in Java

An exception is first thrown from the top of the stack and if it is not caught, it drops down the call stack to the previous method,If not caught there, the exception again drops down to the previous method, and so on until they are caught or until they reach the very bottom of the call stack.This is called exception propagation.

Note: By default Unchecked Exceptions are forwarded in calling chain (propagated).

class ExceptionPropagation{
  void m(){
    int data = 10/0;
  }
  void n(){
    m();
  }
  void p(){
   try{
    n();
   }catch(Exception e){
      System.out.println("exception handled");
   }
  }
  public static void main(String args[]){
   ExceptionPropagation obj = new ExceptionPropagation();
   obj.p();
   System.out.println("normal flow...");
  }
}

output here:

Exception propagation in Java

In the following figure show the stack presentation of the exception propagation flow.

Exception propagation

In the above example exception occurs in m() method where it is not handled,so it is propagated to previous n() method where it is not handled, again it is propagated to p() method where exception is handled.

Exception can be handled in any method in call stack either in main() method,p() method,n() method or m() method.

Note: By default, Checked Exceptions are not forwarded in calling chain (propagated).

class ExceptionPropagation{
  void m(){
    throw new java.io.IOException("device error");//checked exception
  }
  void n(){
    m();
  }
  void p(){
   try{
    n();
   }catch(Exception e){
    System.out.println("exception handeled");
   }
  }
  public static void main(String args[]){
   ExceptionPropagation obj = new ExceptionPropagation();
   obj.p();
   System.out.println("normal flow");
  }
}

In the above Program which describes that checked exceptions are not propagated.

Exception propagation Java

<<Previous <<   || Index ||   >>Next >>
Previous
Next