Android ANRs from code running in a Handler?

前端 未结 2 874
迷失自我
迷失自我 2020-12-12 03:35

A game I wrote some time ago has a problem with ANRs, and debugging suggests they\'re down to HTTP requests taking a long time (and thus causing the ANR).

I\'d thoug

2条回答
  •  一生所求
    2020-12-12 03:47

    A Handler will execute code / handle messages per default (any constructor without Looper e.g. new Handler()) in the current thread. That is in almost every case the main thread. If you want it to execute in a different thread you have to tell it which Looper thread it should use.

    Android has a utility class called HandlerThread that creates a Thread with a Looper.

    Short example:

    public class MyActivity extends Activity {
        private Handler mHandler;
        @Override
        protected void onCreate(Bundle savedInstanceState) {
            super.onCreate(savedInstanceState);
            HandlerThread handlerThread = new HandlerThread("background-handler");
            handlerThread.start();
            Looper looper = handlerThread.getLooper();
            mHandler = new Handler(looper);
    
            mHandler.post(new Runnable() {
                public void run() {
                    // code executed in handlerThread
                }
            });
        }
        @Override
        protected void onDestroy() {
            super.onDestroy();
            // stops the HandlerThread
            mHandler.getLooper().quit();
        }
    }
    

    In case your task needs only a some information and does not need to report back, I'd go with an IntentService. Those don't go mad if your Activity-lifecycle recreates the Activity.

    You would create a small Service in it's own file

    public class SaveService extends IntentService {
        public SaveService() {
            super("SaveService");
        }
        @Override
        protected void onHandleIntent(Intent intent) {
            if ("com.example.action.SAVE".equals(intent.getAction())) {
                String player = intent.getStringExtra("com.example.player");
                int score = intent.getIntExtra("com.example.score", -1);
                magicHttpSave(player, score); // assuming there is an implementation here
            }
        }
    }
    

    Add it to the AndroidManifest.xml

    
    
    

    And in your code start it with

    Intent intent = new Intent(this /* context */, SaveService.class);
    intent.setAction("com.example.action.SAVE");
    intent.putExtra("com.example.player", "John123");
    intent.putExtra("com.example.score", 5123);
    startService(intent);
    

    IntentService#onHandleIntent() runs on a background thread already so you don't have to bother about that.

提交回复
热议问题