从在UI线程中运行代码的角度来看,以下两者之间有什么区别:
MainActivity.this.runOnUiThread(new Runnable() {
public void run() {
Log.d("UI thread", "I am the UI thread");
}
});
or
MainActivity.this.myView.post(new Runnable() {
public void run() {
Log.d("UI thread", "I am the UI thread");
}
});
and
private class BackgroundTask extends AsyncTask<String, Void, Bitmap> {
protected void onPostExecute(Bitmap result) {
Log.d("UI thread", "I am the UI thread");
}
}
Pomber的回答是可以接受的,但是我不喜欢重复创建新对象。最好的解决方案总是那些试图减少内存占用的解决方案。是的,存在自动垃圾收集,但移动设备中的内存保护属于最佳实践的范围。
下面的代码更新服务中的TextView。
TextViewUpdater textViewUpdater = new TextViewUpdater();
Handler textViewUpdaterHandler = new Handler(Looper.getMainLooper());
private class TextViewUpdater implements Runnable{
private String txt;
@Override
public void run() {
searchResultTextView.setText(txt);
}
public void setText(String txt){
this.txt = txt;
}
}
它可以在任何地方使用,像这样:
textViewUpdater.setText("Hello");
textViewUpdaterHandler.post(textViewUpdater);
从Android P开始,你可以使用getMainExecutor():
getMainExecutor().execute(new Runnable() {
@Override public void run() {
// Code will run on the main thread
}
});
来自Android开发者文档:
返回一个Executor,它将在与此上下文关联的主线程上运行排队任务。这是用于分派对应用程序组件(活动、服务等)的调用的线程。
来自CommonsBlog:
您可以在Context上调用getMainExecutor()来获得一个Executor,该Executor将在主应用程序线程上执行它的作业。还有其他方法可以实现这一点,使用Looper和自定义Executor实现,但这种方法更简单。
芬兰湾的科特林版:
Handler(Looper.getMainLooper()).post {
Toast.makeText(context, "Running on UI(Main) thread.", Toast.LENGTH_LONG).show()
}
或者如果你正在使用Kotlin协程:
在协程范围内添加:
withContext(Dispatchers.Main) {
Toast.makeText(context, "Running on UI(Main) thread.", Toast.LENGTH_LONG).show()
}