每日一题:子线程发消息到主线程进行更新 UI, 除了 handler 和 AsyncTask, 还有什么


theme: awesome-green

在android面试中,我们常会遇到Framework面试相关问题,而今天要分享的就是子线程发消息到主线程进行更新 UI, 除了 handler 和 AsyncTask, 还有什么?

其主要考察的是程序员对如何更新UI 的理解。。

问题正解:

android给我们提供了一些接口用于在异步线程中更新UI,比如 AsyncTask(),runOnUiThread(),View.post()方法等等,但是这些方法的底层都是调用handler来完成。具体的细节如下:

方式一: 在子线程中可以使用Activity的runOnUiThread方法更新

new Thread(){
    public void run(){
        runOnUiThread(new Runnable(){
            @Override
            public void run(){
                //更新UI
            }
        });
    }
}

其实原理是Handler的post方法,其内部代码如下:

public final void runOnUiThread(Runnable action) {
    if (Thread.currentThread() != mUiThread) {
        mHandler.post(action);
    } else {
        action.run();
    }
}

先判断当前的线程是不是主线程,如果是,则直接运行,如果不是,调用post方法,所以最终仍旧是使用handler来进行的处理。

方式二: 用View.post()方法更新

imageView.post(new Runnable(){
    @Override
    public void run(){
        // 更新UI
    }
});

View中的post源码如下:

public boolean post(Runnable action) {
    final AttachInfo attachInfo = mAttachInfo;
    if (attachInfo != null) {
        return attachInfo.mHandler.post(action);
    }

    // Postpone the runnable until we know on which thread it needs to run.
    // Assume that the runnable will be successfully placed after attach.
    getRunQueue().post(action);
    return true;
}
public class HandlerActionQueue {
    private HandlerAction[] mActions;
    private int mCount;

    public void post(Runnable action) {
        postDelayed(action, 0);
    }

    public void postDelayed(Runnable action, long delayMillis) {
        final HandlerAction handlerAction = new HandlerAction(action, delayMillis);

        synchronized (this) {
            if (mActions == null) {
                mActions = new HandlerAction[4];
            }
            mActions = GrowingArrayUtils.append(mActions, mCount, handlerAction);
            mCount++;
        }
    }

所以View自己内部也是有自己的异步处理机制,从上面代码就可以看出,调用的是HandlerActionQueue 的post方法,而在Handler内部调用post的时候,先执行的是sendMessageDelayed方法,然后执行sendMessageAtTime方法,紧接着执行enqueueMessage,最终执行的是queue.enqueueMessage,最终执行的方式都是一样的。

总结:无论是哪种UI更新方式,其核心内容依旧还是Handler机制。

今日分享到此结束,下期更精彩~

关注个人简介,面试不迷路~

你可能感兴趣的:(每日一题:子线程发消息到主线程进行更新 UI, 除了 handler 和 AsyncTask, 还有什么)