我在AsyncTask中启动操作时冻结ProgressDialog UI时遇到问题。
我的问题与其他类似问题有些不同,因为我的后台任务由两部分组成:
-第一部分(loadDB())与数据库访问有关
-第二部分(buildTree())与构建ListView内容有关,并以runOnUiThread调用开始
进度对话框在任务的第1部分中正确更新,但在第2dn部分中未正确更新。
我试过在AsyncTask的onPostExecute中移动buildTree部分,但这无济于事,这部分代码仍然导致进度暂时冻结,直到完成这部分工作(有时是很长的时间)为止。我无法从头开始重新编码buildTree部分,因为它基于我使用的外部代码。
有关如何解决此问题的任何提示?有没有一种方法可以强制更新屏幕上的某些对话框?
代码在这里:
public class TreePane extends Activity {
private ProgressDialog progDialog = null;
public void onCreate(Bundle savedInstanceState) {
// first setup UI here
...
//now do the lengthy operation
new LoaderTask().execute();
}
protected class LoaderTask extends AsyncTask<Void, Integer, Void>
{
protected void onPreExecute() {
progDialog = new ProgressDialog(TreePane.this);
progDialog.setMessage("Loading data...");
progDialog.show();
}
protected void onPostExecute(final Void unused) {
if (progDialog.isShowing()) {
progDialog.dismiss();
}
}
protected void onProgressUpdate(Integer... progress) {
//progDialog.setProgress(progress[0]);
}
protected Void doInBackground(final Void... unused)
{
//this part does not block progress, that's OK
loadDB();
publishProgress(0);
//long UI thread operation here, blocks progress!!!!
runOnUiThread(new Runnable() {
public void run() {
buildTree();
}
});
return null;
}
}
public void buildTree()
{
//build list view within for loop
int nCnt = getCountHere();
for(int =0; i<nCnt; i++)
{
progDialog.setProgress(0);
//add tree item here
}
}
}
最佳答案
不要在UI线程中运行整个buildTree()
方法。
而是在UI线程中仅运行要对UI进行的更改:
protected Void doInBackground(final Void... unused)
{
//this part does not block progress, that's OK
loadDB();
publishProgress(0);
buildTree();
return null;
}
接着:
public void buildTree()
{
//build list view within for loop
int nCnt = getCountHere();
for(int =0; i<nCnt; i++)
{
progDialog.setProgress(0);
runOnUiThread(new Runnable() {
public void run() {
// update your UI here and return
}
});
// now you can update progress
publishProgress(i);
}
}