android中的context可以做很多操作,但是最主要的功能是載入和訪問資源。
在android中有兩種context,一種是 application context,一種是activity context,通常我們在各種類和方法間傳遞的是activity context。
比如一個activity的onCreate:
public void onCreate(Bundle savedInstanceState) {<br /> super.onCreate(savedInstanceState);</p><p> requestWindowFeature(Window.FEATURE_NO_TITLE);<br /> getWindow().setFlags(WindowManager.LayoutParams.FLAG_FULLSCREEN,<br /> WindowManager.LayoutParams.FLAG_FULLSCREEN);<br /> setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_PORTRAIT);</p><p> mGameView = new GameView(this);<br /> setContentView(mGameView);<br /> }把activity context傳遞給view,意味著view擁有一個指向activity的引用,進而引用activity UI佔有的資源:view , resource, SensorManager等。
但是這樣如果context發生記憶體泄露的話,就會泄露很多記憶體,這裡泄露的意思是gc沒有辦法回收activity的記憶體(當前Activity為活動或finish後還沒來得及回收)。
Leaking an entire activity是很容易的一件事。
當旋轉螢幕的時候,系統會銷毀當前的activity,儲存狀態資訊再建立一個新的。
比如我們寫了一個應用程式,需要載入一個很大的圖片,我們不希望每次旋轉螢幕的時候都銷毀這個圖片重新載入。
實現這個要求的簡單想法就是定義一個靜態Drawable,這樣Activity 類建立銷毀它始終儲存在記憶體中,訪問速度會很快。
實作類別似:
public class myactivity extends Activity {<br />private static Drawable sBackground;<br />protected void onCreate(Bundle state) {<br />super.onCreate(state); </p><p>TextView label = new TextView(this);<br />label.setText("Leaks are bad"); </p><p>if (sBackground == null) {<br />sBackground = getDrawable(R.drawable.large_bitmap);<br />}<br />label.setBackgroundDrawable(sBackground);//drawable attached to a view </p><p>setContentView(label);<br />}<br />} 這段程式看起來很簡單,但是卻問題很大。當旋轉螢幕的時候會有leak,即gc沒法銷毀activity
我們剛才說過,旋轉螢幕的時候系統會銷毀當前的activity。但是當drawable和view關聯後,drawable儲存了view的 reference,即sBackground儲存了label的引用,而label儲存了activity的引用。既然drawable不能銷毀,它所引用和間接引用的都不能銷毀,這樣系統就沒有辦法銷毀當前的activity,於是造成了記憶體泄露。gc對這種類型的記憶體泄露是無能為力的。
避免這種記憶體泄露的方法是避免activity中的任何對象的生命週期長過activity,避免由於對象對 activity的引用導致activity不能正常被銷毀
同時,我們可以使用application context
application context伴隨application的一生,與activity的生命週期無關。
application context可以通過Context.getApplicationContext或者Activity.getApplication方法擷取。
使用Application,需要在 AndroidManifest.xml 檔案註冊,即android:name=".GApplication":
<application android:icon="@drawable/icon"<br /> android:label="@string/app_name"<br /> android:name=".GApplication"></p><p> <activity android:name=".WordSearch"<br /> android:label="@string/app_name"<br /> android:theme="@android:style/Theme.NoTitleBar.Fullscreen"<br /> android:screenOrientation="portrait"<br /> android:configChanges="keyboardHidden|orientation|keyboard|screenLayout"><br /> <intent-filter><br /> <action android:name="android.intent.action.MAIN" /><br /> <category android:name="android.intent.category.LAUNCHER" /><br /> </intent-filter><br /> </activity><br /> </application>
避免context相關的記憶體泄露,記住以下幾點:
1. 不要讓生命週期長的對象引用activity context,即保證引用activity的對象要與activity本身生命週期是一樣的
2. 對於生命週期長的對象,可以使用application context (繼承類:public class
GApplication extends Application)
3. 盡量使用靜態類(全域),避免非靜態內部類,避免生命週期問題,注意內部類對外部對象引用導致的生命週期變化