«

android UI(内容)更新的方法之handler、runOnUiThread()

时间:2024-3-2 17:14     作者:韩俊     分类: Android


摘要:在android应用程序开发中,特别是在使用多线程开发程序时,经常会需要在其他线程完成某些工作后更新UI。而众所周知,更新UI的功能必须放在UI主线程中进行,否则运行的时候回出错:android.view.ViewRoot$CalledFromWrongThreadException: Only the original thread that created a view hierarchy can touch its views.它的意思是说只有创建此视图层的线程才能更新此视图,所以在主线程中创建的其它线程是不能更新UI的。


更新UI 内容的方法。

1、通过handler消息机制。

在UI主线程中创建一个Handler类的实例,并在其实现的handeMessage()接口中实现对UI的更新。其他的线程需要更新UI时,通过Handler机制给主UI线程中的发消息,

实现UI的更新。

如:

public
class MainActivity extends Activity {

private

EditText UITxt;

private

Button updateUIBtn;

private

UIHandler UIhandler; //主线程中的handler对象

@Override 

public

void onCreate(Bundle savedInstanceState) {

    super.onCreate(savedInstanceState); 

    setContentView(R.layout.activity_main); 

    UITxt

= (EditText)findViewById(R.id.ui_txt);

    updateUIBtn

= (Button)findViewById(R.id.update_ui_btn);

    updateUIBtn.setOnClickListener(new

View.OnClickListener() {

        public

void onClick(View v) {

            //

TODO Auto-generated method stub

            UIhandler

= new

UIHandler();

            UIThread

thread = new

UIThread(); //创建子线程

            thread.start(); 

        } 

    }); 

}




private
class UIHandler extends Handler{

    @Override 

    public

void handleMessage(Message msg) { //重写此函数,实现对UI的更新。

        //

TODO Auto-generated method stub

        super.handleMessage(msg); 

        Bundle

bundle = msg.getData();

        String

color = bundle.getString("color");

        UITxt.setText(color); 

    } 

} 


private
class UIThread extends Thread{ //子线程

    @Override 

    public

void run() {

        try

{

            Thread.sleep(3000); 

        }

catch

(InterruptedException e) {

            //

TODO Auto-generated catch block

            e.printStackTrace(); 

        } 

        Message

msg = new

Message();

    Bundle

bundle = new

Bundle();

        bundle.putString("color",

"黄色");

        msg.setData(bundle); 

        MainActivity.this.UIhandler.sendMessage(msg); 

    } 

} 





2、利用Activity.runOnUiThread(Runnable)

在其他线程中调用runOnUIThread()方法,将创建一个Runnable对象,更新UI的工作就放在此对象的run函数中。让我们来看看runOnUIThread()方法的实现:

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

从上面可以看出,当子线程调用此方法时,实际上是将创建的Runnable对象通过Handler方式传给了主线程。这样新建的Runnable就运行在UI主线程中,实现UI的更新。

例如,在开发webRTC的时候,当收到对方加入房间的消息后,这是需要更新客户端的UI显示。

public void onConnectedToRoom(final SignalingParameters params) {
runOnUiThread(new Runnable() {
@Override
public void run() {
onConnectedToRoomInternal(params);
roomNameView.setText(params.roomId);

}

}


标签: android

热门推荐