更新到adt2.0的開發者們可能會在handler上發現這麼一條警告:This Handler class should be static or leaks might occur 。
首先在ADT 20 Changes咱們能夠找到這樣一個變化:New Lint Checks:html
Look for handler leaks: This check makes sure that a handler inner class does not hold an implicit reference to its outer class.java
翻譯過來就是,Lint會增長一個檢查項目即:確保class內部的handler不含有外部類的隱式引用 。android
同一個線程下的handler共享一個looper對象,消息中保留了對handler的引用,只要有消息在隊列中,那麼handler便沒法被回收,若是handler不是static那麼使用Handler的Service和Activity就也沒法被回收。這就可能致使內存泄露。固然這一般不會發生,除非你發送了一個延時很長的消息。ide
知道了緣由咱們在來看解決方法:
1.最不想動代碼的同窗,能夠在Preference搜一下Lint,在Lint Error Checking裏搜HandlerLeak,而後選擇ignore,而後整個世界清淨了。。。。(不推薦)
2.上面的方法雖然簡單,可是確定很差的。。。給這個檢查確定是有用的,那第二種方法,天然就是把Handler定義成static,而後用post方法把Runnable對象傳送到主線程:例。
oop
private static Handler handler; public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.main); // Create a handler to update the UI handler = new Handler(); } void test() { handler.post(new MyRunnable()); // 這樣的方法一樣能夠用 SmsPopupActivity.this.runOnUiThread(new MyRunnalble());來替換,效果是同樣的。 } static public class MyRunnable implements Runnable { @Override public void run() { imageView.setImageBitmap(downloadBitmap); dialog.dismiss(); } }
3。看到這種方式可能又有不少人不樂意了,原來我一個handler處理多個消息,多舒服,你如今要我把每一個消息都換成對應的Runnable對象發送,多不爽。
那咱們能夠經過弱引用的方式來作,例子以下示:咱們首先定義了一個static的inner Class MyHandler而後讓它持有Activity的弱引用。這樣lint warning就消失了。
post
(其實lint上面怎麼作,都有提示: If the Handler is using the Looper or MessageQueue of the main thread, you need to fix your Handler declaration, as follows: Declare the Handler as a static class; In the outer class, instantiate a WeakReference to the outer class and pass this object to your Handler when you instantiate the Handler; Make all references to members of the outer class using the WeakReference object.)this
對於acitivity, 代碼就是以下的樣子:spa
static class MyHandler extends Handler { WeakReference<PopupActivity> mActivity; MyHandler(PopupActivity activity) { mActivity = new WeakReference<PopupActivity>(activity); } @Override public void handleMessage(Message msg) { PopupActivity theActivity = mActivity.get(); switch (msg.what) { case 0: theActivity.todo(); break; } } }; MyHandler ttsHandler = new MyHandler(this); private Cursor mCursor; private void test() { ttsHandler.sendEmptyMessage(0); } private void todo() { //TODO }
以上就是個人解決方案,若是您有更好的方法,不妨跟貼,讓咱們都知道。
線程
(轉自:http://www.eoeandroid.com/thread-184245-1-1.html?_dsign=4c760882,稍做修改)翻譯