Search code examples
javarecursionstack-overflowtry-finally

Try-finally block prevents StackOverflowError


Take a look at the following two methods:

public static void foo() {
    try {
        foo();
    } finally {
        foo();
    }
}

public static void bar() {
    bar();
}

Running bar() clearly results in a StackOverflowError, but running foo() does not (the program just seems to run indefinitely). Why is that?


Solution

  • It doesn't run forever. Each stack overflow causes the code to move to the finally block. The problem is that it will take a really, really long time. The order of time is O(2^N) where N is the maximum stack depth.

    Imagine the maximum depth is 5

    foo() calls
        foo() calls
           foo() calls
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
           finally
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
        finally calls
           foo() calls
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
           finally
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
    finally calls
        foo() calls
           foo() calls
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
           finally
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
        finally calls
           foo() calls
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
           finally
               foo() calls
                  foo() which fails to call foo()
               finally calls
                  foo() which fails to call foo()
    

    To work each level into the finally block take twice as long an the stack depth could be 10,000 or more. If you can make 10,000,000 calls per second, this will take 10^3003 seconds or longer than the age of the universe.