public class JVMTest {
public static void main(String[] args){
System.out.println("aa:" + aa());
}
public static int aa(){
int a = 1;
int b = 10;
try{
System.out.println("abc");
return a;
}finally{
a = 2;
System.out.println("a: "+ a);
}
}
}
运行结果为:
abc
a: 2
aa:1
由此可知:在try语句中,在执行return语句时,要返回的结果已经准备好了,就在此时,程序转到finally执行了。
在转去之前,try中先把要返回的结果存放到不同于a的局部变量中去,执行完finally之后,在从中取出返回结果,
因此,即使finally中对变量a进行了改变,但是不会影响返回结果。
但是,如果在finally子句中最后添加上return a会怎样呢?
执行结果如下:
Compiling 1 source file to E:/sun/InsideJVM/build/classes
E:/sun/InsideJVM/src/JVMTest.java:37: warning: finally clause cannot complete normally
}
1 warning
compile-single:
run-single:
abc
a: 2
aa:2
测试1:
public static int test1()
{
int i = 1;
try
{
return ++i;
}
finally
{
++i;
Console.WriteLine("finally:" + i);
}
}
static void Main(string[] args)
{
Console.WriteLine("Main:" + test1());
}
结果:
finally:3
Main:2
--------------------------------------------------------------------------------
测试2:
public static int test2()
{
int i = 1;
try
{
throw new Exception();
}
catch
{
return ++i;
}
finally
{
++i;
Console.WriteLine("finally:" + i);
}
}
static void Main(string[] args)
{
Console.WriteLine("Main:" + test2());
}
结果:
finally:3
Main:2
--------------------------------------------------------------------------------
测试3:
public static int test3()
{
try{}
finally
{
return 1;
}
}
结果:
编译错误,控制不能离开 finally 子句主体。
--------------------------------------------------------------------------------
结论:
1.不管出没出现异常,finally块中的语句都会执行;
2.当try或catch块中有return语句时,finally块中的语句仍会执行;
3.finally块中的语句是在return语句执行之后才执行的,即函数返回值是在finally块中语句执行前确定的;
4.finally块中不能包含return语句。
总结:finally在return前执行,在finally的操作,不会改变已经确定的return的值,
finally不能加return语句。出现异常,先找是否有处理器可以处理这个异常.再finally。
转自http://qiang106.javaeye.com/blog/254940的三个测试
三个测试
测试一:
class Test22
{
public static String test(){
try{
//throw new Exception();
return "return";
}catch(Exception e){
System.out.println("catch");
}finally{
return "finally";
}
}
public static void main(String[] args)
{
System.out.println(test());
}
}
输出结果为:finally
这说明finally先执行,其实我这也可以通过理解return的意义来理解这个顺序,return是指跳出这个语句块,跳出了自然不能回来再执行里面的语句了,而finally又是必须执行的,所以在跳出之前还是让finally执行完吧.
测试二:
class Test22
{
public static String test(){
try{
throw new Exception();
}catch(Exception e){
System.out.println("catch");
}finally{
return "finally";
}
}
public static void main(String[] args)
{
System.out.println(test());
}
}
输出结果:
catch
finally
这就是平常最常见的顺序了,try中势力出了异常,那么就是catch中执行了,然后就是finally里的语句了.
测试三:
class Test22
{
public static String test(){
try{
throw new Exception();
}catch(Exception e){
return "catch";
}finally{
return "finally";
}
}
public static void main(String[] args)
{
System.out.println(test());
}
}
输出结果:
finally
在catch中有return和try块中有return是一样的情况了.