2035

Considering this code, can I be absolutely sure that the finally block always executes, no matter what something() is?

try {  
    something();  
    return success;  
}  
catch (Exception e) {   
    return failure;  
}  
finally {  
    System.out.println("i don't know if this will get printed out.");
}


  • Even after testing this yourself, you only know what your implementation or version of Java/JVM will do, and will not know what the code should do (according to the standard), and so the question remains a valid one. I'm glad to see these aspects addressed amongst the various answers. - Rhubbarb
  • Not always - Boann
  • Effective java says otherwise informit.com/articles/article.aspx?p=1216151&seqNum=7 - Binoy Babu
  • @BinoyBabu, finalizer != finally; finalizer == the finalize() method. - jaco0646
  • @LordFarquaad ;-) That's indeed always guaranteed. - MC Emperor

30 답변


2267

Yes, finally will be called after the execution of the try or catch code blocks.

The only times finally won't be called are:

  1. If you invoke System.exit();
  2. If the JVM crashes first;
  3. If the JVM reaches an infinite loop (or some other non-interruptable, non-terminating statement) in the try or catch block;
  4. If the OS forcibly terminates the JVM process; e.g. "kill -9 " on UNIX.
  5. If the host system dies; e.g. power failure, hardware error, OS panic, etcetera.
  6. If finally block is going to be executed by daemon thread and all other non daemon threads exit before finally is called.


  • Actually thread.stop() does not necessarily prevent finally block from being executed. - Piotr Findeisen
  • How about we say that the finally block will be called after the try block, and before control passes to the following statements. That's consistent with the try block involving an infinite loop and hence the finally block never actually being invoked. - Andrzej Doyle
  • there is also another case, when we use nested try-catch-finally blocks - ruhungry
  • also, finally block is not called in case of exception thrown by daemon thread. - Amrish Pandey
  • @BinoyBabu - That's about finalizer, not finally block - avmohan

472

Example code:

public static void main(String[] args) {
    System.out.println(Test.test());
}

public static int test() {
    try {
        return 0;
    }
    finally {
        System.out.println("finally trumps return.");
    }
}

Output:

finally trumps return. 
0


  • FYI: In C# the behaviour is identical apart from the fact that replacing the statement in the finally-clause with return 2; is not allowed (Compiler-Error). - Alexander Pacha
  • Here is an important detail to be aware of: stackoverflow.com/a/20363941/2684342 - WoodenKitty
  • You can even add a return statement in the finally block itself, which will then override the previous return value. This also magically discards unhandled exceptions. At that point, you should consider refactoring your code. - Zyl
  • That does not really prove that finally trumps return. The return value is printed from the caller code. Doesn't seem to prove much. - Trimtab
  • Sorry, but this is a demonstration not a proof. It is only a proof if you can show that this example always behaves this way on all Java platforms, AND that similar examples also always behave this way. - Stephen C

339

Also, although it's bad practice, if there is a return statement within the finally block, it will trump any other return from the regular block. That is, the following block would return false:

try { return true; } finally { return false; }

Same thing with throwing exceptions from the finally block.


  • This is a REALLY bad practice. See stackoverflow.com/questions/48088/… for more info about why it's bad. - John Meagher
  • Agreed. A return within finally{} ignores any exception thrown in try{}. Scary! - neu242
  • @dominicbri7 Why do you think it's a better practice? And why should it be different when the function/method is void? - corsiKa
  • For the same reason I NEVER use goto's in my C++ codes. I think multiple returns makes it harder to read and more difficult to debug (of course in really simple cases it doesn't apply). I guess that's just personnal preferrence and in the end you can achieve the same thing using either method - dominicbri7
  • I tend to use a number of returns when some kind of exceptional case happens. Like if(there is a reason not to continue) return; - iHearGeoff

237

Here's the official words from the Java Language Specification.

14.20.2. Execution of try-finally and try-catch-finally

A try statement with a finally block is executed by first executing the try block. Then there is a choice:

  • If execution of the try block completes normally, [...]
  • If execution of the try block completes abruptly because of a throw of a value V, [...]
  • If execution of the try block completes abruptly for any other reason R, then the finally block is executed. Then there is a choice:
    • If the finally block completes normally, then the try statement completes abruptly for reason R.
    • If the finally block completes abruptly for reason S, then the try statement completes abruptly for reason S (and reason R is discarded).

The specification for return actually makes this explicit:

JLS 14.17 The return Statement

ReturnStatement:
     return Expression(opt) ;

A return statement with no Expression attempts to transfer control to the invoker of the method or constructor that contains it.

A return statement with an Expression attempts to transfer control to the invoker of the method that contains it; the value of the Expression becomes the value of the method invocation.

The preceding descriptions say "attempts to transfer control" rather than just "transfers control" because if there are any try statements within the method or constructor whose try blocks contain the return statement, then any finally clauses of those try statements will be executed, in order, innermost to outermost, before control is transferred to the invoker of the method or constructor. Abrupt completion of a finally clause can disrupt the transfer of control initiated by a return statement.


142

In addition to the other responses, it is important to point out that 'finally' has the right to override any exception/returned value by the try..catch block. For example, the following code returns 12:

public static int getMonthsInYear() {
    try {
        return 10;
    }
    finally {
        return 12;
    }
}

Similarly, the following method does not throw an exception:

public static int getMonthsInYear() {
    try {
        throw new RuntimeException();
    }
    finally {
        return 12;
    }
}

While the following method does throw it:

public static int getMonthsInYear() {
    try {
        return 12;          
    }
    finally {
        throw new RuntimeException();
    }
}


  • It should be noted that the middle case is precisely the reason why having a return statement inside a finally block is absolutely horrible (it could hide any Throwable). - Dimitris Andreou

97

I tried the above example with slight modification-

public static void main(final String[] args) {
    System.out.println(test());
}

public static int test() {
    int i = 0;
    try {
        i = 2;
        return i;
    } finally {
        i = 12;
        System.out.println("finally trumps return.");
    }
}

The above code outputs:

finally trumps return.
2

This is because when return i; is executed i has a value 2. After this the finally block is executed where 12 is assigned to i and then System.out out is executed.

After executing the finally block the try block returns 2, rather than returning 12, because this return statement is not executed again.

If you will debug this code in Eclipse then you'll get a feeling that after executing System.out of finally block the return statement of try block is executed again. But this is not the case. It simply returns the value 2.


  • This example is awesome, it adds something that hasn't been mentioned in dozens finally related threads. I think barely any developer will know this. - HopefullyHelpful
  • What if i was not a primitive, but an Integer object. - Yamcha
  • I am having a hard time understanding this case. docs.oracle.com/javase/specs/jls/se8/html/jls-14.html#jls-14.17 says that, "A return statement with an Expression attempts to transfer control to the invoker of the method or lambda body that contains it.... If evaluation of the Expression completes normally, producing a value V.." What I could guess from this statement is- it seems that return doesn't evaluate the expression again once it evaluates value V, that's why changed i doesn't affect the returned value, correct me. - meexplorer
  • But I coudn't found any proof regarding this, where is it mentioned that return doesn't evaluate the expression again. - meexplorer
  • @meexplorer a bit late, but it is explained in JLS 14.20.2. Execution of try-finally and try-catch-finally - worded a bit complicated, 14.17. The return Statement must also be read - Carlos Heuberger

89

Here's an elaboration of Kevin's answer. It's important to know that the expression to be returned is evaluated before finally, even if it is returned after.

public static void main(String[] args) {
    System.out.println(Test.test());
}

public static int printX() {
    System.out.println("X");
    return 0;
}

public static int test() {
    try {
        return printX();
    }
    finally {
        System.out.println("finally trumps return... sort of");
    }
}

Output:

X
finally trumps return... sort of
0



48

That is the whole idea of a finally block. It lets you make sure you do cleanups that might otherwise be skipped because you return, among other things, of course.

Finally gets called regardless of what happens in the try block (unless you call System.exit(int) or the Java Virtual Machine kicks out for some other reason).


33

A logical way to think about this is:

  1. Code placed in a finally block must be executed whatever occurs within the try block
  2. So if code in the try block tries to return a value or throw an exception the item is placed 'on the shelf' till the finally block can execute
  3. Because code in the finally block has (by definition) a high priority it can return or throw whatever it likes. In which case anything left 'on the shelf' is discarded.
  4. The only exception to this is if the VM shuts down completely during the try block e.g. by 'System.exit'


  • Is this just "a logical way to think about it" or is it really how the finally block is intended to work according to the specifications ? A link to a Sun resource would be very interesting in here. - matias

16

Also a return in finally will throw away any exception. http://jamesjava.blogspot.com/2006/03/dont-return-in-finally-clause.html


15

finally is always executed unless there is abnormal program termination (like calling System.exit(0)..). so, your sysout will get printed


15

No, not always one exception case is// System.exit(0); before the finally block prevents finally to be executed.

  class A {
    public static void main(String args[]){
        DataInputStream cin = new DataInputStream(System.in);
        try{
            int i=Integer.parseInt(cin.readLine());
        }catch(ArithmeticException e){
        }catch(Exception e){
           System.exit(0);//Program terminates before executing finally block
        }finally{
            System.out.println("Won't be executed");
            System.out.println("No error");
        }
    }
}


  • And that's one of the reasons you really should never call System.exit()... - Franz D.

14

The finally block is always executed unless there is abnormal program termination, either resulting from a JVM crash or from a call to System.exit(0).

On top of that, any value returned from within the finally block will override the value returned prior to execution of the finally block, so be careful of checking all exit points when using try finally.


8

Finally is always run that's the whole point, just because it appears in the code after the return doesn't mean that that's how it's implemented. The Java runtime has the responsibility to run this code when exiting the try block.

For example if you have the following:

int foo() { 
    try {
        return 42;
    }
    finally {
        System.out.println("done");
    }
}

The runtime will generate something like this:

int foo() {
    int ret = 42;
    System.out.println("done");
    return 42;
}

If an uncaught exception is thrown the finally block will run and the exception will continue propagating.


8

This is because you assigned the value of i as 12, but did not return the value of i to the function. The correct code is as follows:

public static int test() {
    int i = 0;
    try {
        return i;
    } finally {
        i = 12;
        System.out.println("finally trumps return.");
        return i;
    }
}


7

Because a finally block will always be called unless you call System.exit() (or the thread crashes).


7

Concisely, in the official Java Documentation (Click here), it is written that -

If the JVM exits while the try or catch code is being executed, then the finally block may not execute. Likewise, if the thread executing the try or catch code is interrupted or killed, the finally block may not execute even though the application as a whole continues.


7

Answer is simple YES.

INPUT:

try{
    int divideByZeroException = 5 / 0;
} catch (Exception e){
    System.out.println("catch");
    return;    // also tried with break; in switch-case, got same output
} finally {
    System.out.println("finally");
}

OUTPUT:

catch
finally


  • Answer is simple NO. - Christophe Roussy
  • @ChristopheRoussy How? Can you explain please? - Meet
  • read the accepted answer, the original question is about 'Will it always execute' and it will not always. In your case it will but this does not answer the original question and may even be misleading beginners. - Christophe Roussy
  • then in which case it wont get execute? - Meet
  • In all cases mentioned in other answers, see accepted answer with 1000+ upvotes. - Christophe Roussy

6

Yes it will get called. That's the whole point of having a finally keyword. If jumping out of the try/catch block could just skip the finally block it was the same as putting the System.out.println outside the try/catch.


6

Yes, it will. No matter what happens in your try or catch block unless otherwise System.exit() called or JVM crashed. if there is any return statement in the block(s),finally will be executed prior to that return statement.


6

Yes It will. Only case it will not is JVM exits or crashes


6

Yes, finally block is always execute. Most of developer use this block the closing the database connection, resultset object, statement object and also uses into the java hibernate to rollback the transaction.


5

Consider the following program:

public class someTest {

    private static StringBuilder sb = new StringBuilder();

    public static void main(String args[]) {

        System.out.println(someString());
        System.out.println("---AGAIN---");
        System.out.println(someString());
    }

    private static String someString() {

        try {
            sb.append("-abc-");
            return sb.toString();

        } finally {
            sb.append("xyz");
        }
    }
}

As of Java 1.8.162, the above code block gives the following output:

-abc-
---AGAIN---
-abc-xyz-abc-

this means that using finally to free up objects is a good practice like the following code:

private static String someString() {

    StringBuilder sb = new StringBuilder();

    try {
        sb.append("abc");
        return sb.toString();

    } finally {
        sb = null;
    }
}


  • Shouldn't it be sb.setLength(0) in finally? - user7294900
  • sb.setLength(0) will just empty the data in the StringBuffer. So, sb = null will disassociate the object from the reference. - Samim

4

That's actually true in any language...finally will always execute before a return statement, no matter where that return is in the method body. If that wasn't the case, the finally block wouldn't have much meaning.


  • Not every language has finally at the first place... - glglgl

4

Because the final is always be called in whatever cases you have. You don't have exception, it is still called, catch exception, it is still called


4

Consider this in a normal course of execution (i.e without any Exception being thrown): if method is not 'void' then it always explicitly returns something, yet, finally always gets executed


4

If an exception is thrown, finally runs. If an exception is not thrown, finally runs. If the exception is caught, finally runs. If the exception is not caught, finally runs.

Only time it does not run is when JVM exits.


4

Finally block always execute whether exception handle or not .if any exception occurred before try block then finally block will not execute.


4

finally will execute and that is for sure.

finally will not execute in below cases:

case 1 :

When you are executing System.exit().

case 2 :

When your JVM / Thread crashes.

case 3 :

When your execution is stopped in between manually.



4

Yes, because no control statement can prevent finally from being executed.

Here is a reference example, where all code blocks will be executed:

| x | Current result | Code 
|---|----------------|------ - - -
|   |                |     
|   |                | public static int finallyTest() {
| 3 |                |     int x = 3;
|   |                |     try {
|   |                |        try {
| 4 |                |             x++;
| 4 | return 4       |             return x;
|   |                |         } finally {
| 3 |                |             x--;
| 3 | throw          |             throw new RuntimeException("Ahh!");
|   |                |         }
|   |                |     } catch (RuntimeException e) {
| 4 | return 4       |         return ++x;
|   |                |     } finally {
| 3 |                |         x--;
|   |                |     }
|   |                | }
|   |                |
|---|----------------|------ - - -
|   | Result: 4      |

In the variant below, return x; will be skipped. Result is still 4:

public static int finallyTest() {
    int x = 3;
    try {
        try {
            x++;
            if (true) throw new RuntimeException("Ahh!");
            return x; // skipped
        } finally {
            x--;
        }
    } catch (RuntimeException e) {
        return ++x;
    } finally {
        x--;
    }
}

References, of course, track their status. This example returns a reference with value = 4:

static class IntRef { public int value; }
public static IntRef finallyTest() {
    IntRef x = new IntRef();
    x.value = 3;
    try {
        return x;
    } finally {
        x.value++; // will be tracked even after return
    }
}

Linked


Related

Latest