1.24 析构方法
析構方法與構造方法相反,當對象脫離其作用域時(例如對象所在的方法已調用完畢),系統(tǒng)自動執(zhí)行析構方法。析構方法往往用來做清理垃圾碎片的工作,例如在建立對象時用 new 開辟了一片內存空間,應退出前在析構方法中將其釋放。
在 Java 的 Object 類中還提供了一個 protected 類型的 finalize() 方法,因此任何 Java 類都可以覆蓋這個方法,在這個方法中進行釋放對象所占有的相關資源的操作。
對象的 finalize() 方法具有如下特點:
- 垃圾回收器是否會執(zhí)行該方法以及何時執(zhí)行該方法,都是不確定的。
- finalize() 方法有可能使用對象復活,使對象恢復到可觸及狀態(tài)。
- 垃圾回收器在執(zhí)行 finalize() 方法時,如果出現(xiàn)異常,垃圾回收器不會報告異常,程序繼續(xù)正常運行。
例如:
protected void finalize() {// 對象的清理工作 }例 1
下面通過一個例子來講解析構方法的使用。該例子計算從類中實例化對象的個數(shù)。
1)Counter 類在構造方法中增值,在析構方法中減值。如下所示為計數(shù)器類 Counter 的代碼:
public class Counter {private static int count = 0; // 計數(shù)器變量public Counter() {// 構造方法this.count++; // 創(chuàng)建實例時增加值}public int getCount() {// 獲取計數(shù)器的值return this.count;}protected void finalize() {// 析構方法this.count--; // 實例銷毀時減少值System.out.println("對象銷毀");} }2)創(chuàng)建一個帶 main() 的 TestCounter 類對計數(shù)器進行測試,示例代碼如下:
public class TestCounter {public static void main(String[] args) {Counter cnt1 = new Counter(); // 建立第一個實例System.out.println("數(shù)量:"+cnt1.getCount()); // 輸出1Counter cnt2 = new Counter(); // 建立第二個實例System.out.println("數(shù)量:"+cnt2.getCount()); // 輸出2cnt2 = null; // 銷毀實例2try {System.gc(); // 清理內存Thread.currentThread().sleep(1000); // 延時1000毫秒System.out.println("數(shù)量:"+cnt1.getCount()); // 輸出1} catch(InterruptedException e) {e.printStackTrace();}} }執(zhí)行后輸出結果如下:
數(shù)量:1 數(shù)量:2 對象銷毀 數(shù)量:1技巧:由于 finalize() 方法的不確定性,所以在程序中可以調用 System.gc() 或者 Runtime.gc() 方法提示垃圾回收器盡快執(zhí)行垃圾回收操作。
總結
- 上一篇: 1.23 实例:查询个人信息
- 下一篇: 1.25 包(package)详解