1. try,catch,finally中都有return值
执行下面的程序:
import java.util.*;
public static class Test1 {
public static void main(String []args) {
System.out.println("Output : "+test());
}
public static String test(){
try{
System.out.println("try");
int i = new Random().nextInt(4);
if (i>2) {
System.out.println("throw");
throw new Exception();
}
return "try";
}catch(Exception e){
System.out.println("catch");
return "catch";
}finally{
System.out.println("finally");
return "finally";
}
}
}
(1)如果异常发生时,输出:
try
throw
catch
finally
Output : finally
发生了异常时,先执行catch中的代码,再执行finally中的代码,但是最终方法返回结果还是finally中的return值
。
(2)如果没有异常发生时,输出:
try
finally
Output : finally
在没有异常发生时,先执行try中的代码,再执行finally中的代码,但是最终方法返回结果还是finally中的return值
。
所以当try,catch,finally中都有返回值时,不管有没有发生异常,由于finally总是最后执行,所以方法的返回值都是finally中的return值。
2. try,catch中有return值,finally中没有return值
public static class Test2 {
public static void main(String []args) {
System.out.println("Output : "+test());
}
public static String test(){
try{
System.out.println("try");
int i = new Random().nextInt(4);
if (i>2) {
System.out.println("throw");
throw new Exception();
}
return "try";
}catch(Exception e){
System.out.println("catch");
return "catch";
}finally{
System.out.println("finally");
}
}
}
(1)如果异常发生时,输出:
try
throw
catch
finally
Output : catch
发生了异常时,先执行catch中的代码,再执行finally中的代码,最终方法返回结果还是catch中的return值
。其实是先将catch中的返回结果暂存,执行完finally中的代码块之后再返回。
(2)如果没有异常发生时,输出:
try
finally
Output : try
在没有异常发生时,先执行try中的代码,再执行finally中的代码,但是最终方法返回结果还是try中的return值
。其实是先将try中的返回结果暂存
,执行完finally中的代码块之后再返回。
所以当try,catch有返回值,finally没有返回值时,不管有没有发生异常,finally总是最后执行。但是发生异常时方法的返回值都是catch中的return值,没有发生异常时方法的返回值时try中的return值。
此外还要注意,try,catch实际上是一个组合代码块,不能try中有返回值而catch中没有
。如果catch中不加返回值,必须代码最后全局有一个返回值
。
3. try,catch中没有return值,finally中有return值
public static class Test3 {
public static void main(String []args) {
System.out.println("Output : "+test());
}
public static String test(){
try{
System.out.println("try");
int i = new Random().nextInt(4);
if (i>2) {
System.out.println("throw");
throw new Exception();
}
}catch(Exception e){
System.out.println("catch");
}finally{
System.out.println("finally");
return "finally";
}
}
}
(1)如果异常发生时,输出:
try
throw
catch
finally
Output : catch
发生了异常时,先执行catch中的代码,再执行finally中的代码,最终方法返回结果是finally中的return值
。其实是这个时候finally中的返回值就是一个全局的返回值。
(2)如果没有异常发生时,输出:
try
finally
Output : try
在没有异常发生时,先执行try中的代码,再执行finally中的代码,最终方法返回结果是finally中的return值
。其实是先将try中的返回结果暂存
,执行完finally中的代码块之后再返回。
4. 结论
- 不管有木有出现异常,finally块中代码都会执行;
- 当try和catch中有return时,finally仍然会执行;
- finally是在return后面的执行的(此时并没有返回运算后的值,而是先把要返回的值保存起来,管finally中的代码怎么样,返回的值都不会改变,任然是之前保存的值),所以函数返回值是在finally执行前确定的;
- finally中最好不要包含return,否则程序会提前退出,返回值不是try或catch中保存的返回值。但是根据需要可以自己判断要不要返回这个全局结果。
THE END.