结论:
1、不管有没有出现异常,finally块中代码都会执行;
2、当try和catch中有return时,finally仍然会执行;
3、finally是在return后面的表达式运算后执行的(此时并没有返回运算后的值,而是先把要返回的值保存起来,管finally中的代码怎么样,返回的值都不会改变,任然是之前保存的值),所以函数返回值是在finally执行前确定的;
4、finally中最好不要包含return,否则程序会提前退出,返回值不是try或catch中保存的返回值。
举例:
情况1:try{} catch(){}finally{} return;
显然程序按顺序执行。
情况2:try{ return; }catch(){} finally{} return;
程序执行try块中return之前(包括return语句中的表达式运算)代码;
再执行finally块,最后执行try中return;
finally块之后的语句return,因为程序在try中已经return所以不再执行。
情况3:try{ } catch(){return;} finally{} return;
程序先执行try,如果遇到异常执行catch块,
有异常:则执行catch中return之前(包括return语句中的表达式运算)代码,再执行finally语句中全部代码,
最后执行catch块中return. finally之后也就是4处的代码不再执行。
无异常:执行完try再finally再return.
情况4:try{ return; }catch(){} finally{return;}
程序执行try块中return之前(包括return语句中的表达式运算)代码;
再执行finally块,因为finally块中有return所以提前退出。
情况5:try{} catch(){return;}finally{return;}
程序执行catch块中return之前(包括return语句中的表达式运算)代码;
再执行finally块,因为finally块中有return所以提前退出。
情况6:try{ return;}catch(){return;} finally{return;}
程序执行try块中return之前(包括return语句中的表达式运算)代码;
有异常:执行catch块中return之前(包括return语句中的表达式运算)代码;
则再执行finally块,因为finally块中有return所以提前退出。
无异常:则再执行finally块,因为finally块中有return所以提前退出。
最终结论:任何执行try 或者catch中的return语句之前,都会先执行finally语句,如果finally存在的话。
如果finally中有return语句,那么程序就return了,所以finally中的return是一定会被return的,
编译器把finally中的return实现为一个warning。
下面是个测试程序
public class FinallyTest
{
public static void main(String[] args) {
System.out.println(new FinallyTest().test());;
}
static int test()
{
int x = 1;
try
{
x++;
return x;
}
finally
{
++x;
}
}
}
执行结果:2
分析:
在try语句中,在执行return语句时,要返回的结果已经准备好了,就在此时,程序转到finally执行了。 在转去之前,try中先把要返回的结果存放到不同于x的局部变量中去,执行完finally之后,在从中取出返回结果, 因此,即使finally中对变量x进行了改变,但是不会影响返回结果。 它应该使用栈保存返回值。
finally块唯一不执行的情况是什么???
什么叫为唯一呢,什么叫唯一呢,唯一这个字在我眼里简直是对我智商的亵渎,虽然我不能像那些学霸们能给出一道数学题N种解题思路,就这道题我也想到至少想到俩种不执行情况啊?
解一: try之前异常,系统报错,当然不会执行finally
public class Math {
public int method01(int i,int j){//抛出异常
int t =1/0; // try之前异常,系统报错
System.out.println("mehod方法开始");
int c=0;
try {
c =i/j;
} catch (Exception e) {
// TODO: handle exception
System.out.println("fdfd");
}finally {
System.out.println("finally");
return c;
}
解二 : try 或 catch块中,如果有exit()会使程序提前退出
public class Math {
public int method01(int i,int j){//抛出异常
System.out.println("mehod方法开始");
int c=0;
try {
c =i/j;
System.exit(0); //终止程序
} catch (Exception e) {
// TODO: handle exception
System.out.println("cathc块不会执行");
}finally {
System.out.println("finally块不会执行");
return c;
}
}
}
public class TrowsDamo2 {
public static void main(String[] args) throws Exception {
Math math = new Math();
System.out.println("运算开始");
int div2 = math.method01(15, 3);//此时调用Math类的method01方法
System.out.println("运算结束");
}
}
输出结果
运算开始
mehod方法开始
引申:
如果调用math.method01(int i,int j)方法时,j 传入的值为0,程序运行到Math类中,try块第一行 c =i/j;时,会产生异常,即转入catch块处理,后续System.exit(0);就不会执行,finally块将会运行
结果如下
运算开始
mehod方法开始
cathc块不会执行
finally块不会执行
运算结束