执行完try catch里面内容准备return时,如果还有finally需要执行这是编译器会为我们增加一个全局变量去暂存return 的值,等到finally执行完成去return这个全局变量,如果finally有return语句就返回finally块的return结果
1.基本数据类型
1)不在finally return时,返回结果是0,finally对返回结果无改变。
public static int getCount(){
int count=0;
try{
return count;
}finally {
count=6;
}
}
2)在finally return时,返回结果是6,返回finally的return结果。
public static int getCount(){
int count=0;
try{
return count;
}finally {
count=6;
return count;
}
}
2.String类型
返回结果“112”,编译器会创建一个全局的字符串引用会指向content+"2"的结果用于后面return,因为String内容是不可变的,content+"2"会形成一个新的对象和content已经不是一个对象了,所以改变content的值无法改变返回值。
public static String getContent(){
String content="11";
try{
return content+"2";
}finally {
content="6";
}
}
3.其他引用类型
打印出的内容为“221133”,编译器会创建一个全局的StringBuilder类型的引用指向sbuild用于return,在finally中对sbuild指向的对象进行了改变,所以该改变会体现在返回值中。
public static StringBuilder getContent2(){
StringBuilder sbuild=new StringBuilder("22");
try{
return sbuild.append("11");
}finally {
sbuild.append("33");
}
}