1. 程式人生 > >try、catch、finally中return的執行順序

try、catch、finally中return的執行順序

try、catch、finally中的return

       今天在做一個多執行緒加讀寫鎖的測試時,考慮效率問題,想及時return結果,但存在一個嚴肅的問題,那就是鎖的開啟和關閉問題。因為鎖開啟後,用完不及時關閉,會因堵塞而造成資源無法請求。因此,做了一個測試,儘量做到全面,哪怕有些顯得有些腦殘,測試嘛。

示例1.

/**
 * @author qing
 * 
 *	Try……catch……finally中return的測試
 */
public class TryTest {

	/**
	 * 主要方法
	 */
	public static void main(String[] args) {
		// 呼叫 測試方法
		String result = get();
		// 列印 測試方法返回的結果
		System.out.println(result);
	}

	@SuppressWarnings({ "finally", "unused" })
	public static String get(){
		int value = 0;
		try {
			System.out.println("try……");
			
			//等式1/0 :分母為0 的明顯錯誤          ——製造錯誤(用於拋異常)
			int result = 1 / value;
			
			return "111";
			
		} catch (Exception e) {
			System.out.println("catch……");
			return "444";
		} finally {
			System.out.println("finally……");
			return "333";
		}
		
//		return "222";
	}
執行結果:


經過測試:

(1)在通過編譯器的檢查後,如果finally中有return,則以finally中的return為準,其他的都將失效,return之前的程式碼都有效。

(2)第37行的return “222” 於catch、finally中的任何一個return互斥。也就是說,在catch、finally中其中一個地方存在return,編譯器就能檢查,已符合方法的返回要求。

(3)catch和finally中,可同時存在return,編譯能通過。但程式以finally中的return “333”為準,不會理睬catch中的return “444”,catch中return之前的程式碼仍然生效。

示例2.     (這種情況就比較好理解了)

         程式中try內部沒有異常的情況下,若有finally,且finally中沒有return。若在try中遇到return,則先跳去執行finally中的程式碼,在回來執行try中return

package threadproject;

/**
 * @author qing
 * 
 *	Try……catch……finally中return的測試
 */
public class TryTest {

	/**
	 * 主要方法
	 */
	public static void main(String[] args) {
		// 呼叫 測試方法
		String result = get();
		// 列印 測試方法返回的結果
		System.out.println(result);
	}

	public static String get(){
		try {
			System.out.println("try……");
			
			return "111";
			
		} catch (Exception e) {
			System.out.println("catch……");
		} finally {
			System.out.println("finally……");
		}
		
		return "222";
	}

}
執行結果為:

上面的程式不會執行  try……Catch……finally之外的return,即列印的是“111”,而不列印“222”。