try中有return,finally还会执行吗?

try中有return,finally还会执行吗?

转载的链接原地址
链接地址:https://blog.csdn.net/Hningning/article/details/104506944/

本文属于转载,请查阅知悉~

try中有return,finally一定会执行。

The finally block always executes when the try block exits.`

Java官方文档上是以上描述的语句:

我们看到描述词用的是always,即在try执行完成之后,finally是一定会执行的。这种特性可以让程序员避免在try语句中使用了return, continue或者 break关键字而忽略了关闭相关资源的操作。把清理相关资源放到finally语句块中一直是最佳实践。

直接上代码:

package com.kaka.homework15;

public class FinallyTest {
    public static void main(String[] args) {
        FinallyTest ft = new FinallyTest();
        int res = ft.method();
        System.out.println(res);//最后打印结果是2
    }
    public int method(){
        int i = 1;
        try{
            ++i;
            return i;
        }catch (Exception e){

        }finally {
            ++i;
        }
        return i;
    }
}

根据debug模式,try中返回了i=2, finally语句中返回了i=3。

finally语句更靠后被return,为什么最终的输出结果是2呢?

If the try clause executes a return, the compiled code does the following:
Saves the return value (if any) in a local variable.
Executes a jsr to the code for the finally clause.
Upon return from the finally clause, returns the value saved in the local variable.

JVM规范里面明确说明了这种情况:

大意就是如果在try中return的情况下,先把try中将要return的值先存到一个本地变量中,即本例中的i=2将会被保存下来。接下来去执行finally语句,最后返回的是存在本地变量中的值,即返回i=2.

Tips:还有一点要拓展注意的,如果你在finally里也用了return语句,比如return ++i。那么程序返回值会是3。因为规范规定了,当try和finally里都有return时,会忽略try的return,而使用finally的return。

结论:

当try语句中有return的时候,其与finally语句的执行情况。我们的得到的结论有:

  1. try中有return,finally一定会执行。
  2. try中有return, 会先将值暂存,无论finally语句中对该值做什么处理,最终返回的都是try语句中的暂存值。
  3. 当try与finally语句中均有return语句,会忽略try中return。

你可能感兴趣的:(JAVA,jvm,java,开发语言)