Finally block to behave differently

199 Views Asked by At

I have a condition like this

String str = null;

try{
  ...
  str = "condition2";
}catch (ApplicationException ae) {
  str = "condition3";
}catch (IllegalStateException ise) {
  str = "condition3";
}catch (Exception e) {
  str = "condition3";
}

if(str == null){
  str = "none";
}

Now I want to sum up all str = "condition3"; in one line. As finally block runs always so that will not fulfill my needs. What else can be done.

6

There are 6 best solutions below

6
On BEST ANSWER

Beginning in Java 7, you can catch multiple exception types in a single catch block. The code looks something like this:

String str = null;

try {
    ...
    str = "condition2";
} catch (ApplicationException|IllegalStateException|Exception ex) {
    str = "condition3";
}

BTW: The code you've posted, as well as my Java 7 code could all be collapsed into simply catch (Exception e), because Exception is a superclass of both ApplicationException and IllegalStateException.

2
On

You can use Java 7 exception handling syntax. Java 7 supports multiple Exception handling in one catch block. Exp -

String str = null;

try{
  ...
  str = "condition2";
}catch (ApplicationException | IllegalStateException | Exception  ae) {
  str = "condition3";
}
1
On
try{
  ...
  str = "condition2";
}catch (Exception ae) {
 str = "condition3";
}

As all others are subclasses of Exception. If you want to show different messages, then can try as follow

try{
   ...
   str = "condition2";
}catch(ApplicationException | IllegalStateException e){
if(e instanceof ApplicationException)
    //your specfic message
    else if(e instanceof IllegalStateException)
    //your specific message
    else
        //your specific message
    str = "condition3";
}
0
On

As you are doing same thing in ApplicationException and IllegalStateException catch blocks and in general exception Exception catch block, then you can remove ApplicationException and IllegalStateException blocks.

1
On

I'm going to go out on a limb here and provide this:

String str = null;

 try{
     ...
     str = "condition2";
 }catch (Throwable e) {
    str = "condition3";
 }
 finally {
     if(str == null){
         str = "none";
     }
 }

If this is not what you mean by "sum up" then please clarify.

Please read

http://www.tutorialspoint.com/java/java_exceptions.htm http://docs.oracle.com/javase/tutorial/essential/exceptions/

0
On

You must add "final" keyword if you are using Java 7 feature of catching multiple exception in single catch block

catch (final ApplicationException|IllegalStateException|Exception ex) {