当我在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
}
}
}
答案 0 :(得分:2)
不要在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);
}
}
答案 1 :(得分:0)
你应该调用AsyncTask的publishProgress方法而不是progDialog.setProgress(0);你打电话的时候。 此外,buildTree不会在UI线程上运行,因为它会阻止它。 从doInBackground方法运行逻辑。
请注意,您实际上并不构建ListView,而应该构建它的数据模型。 look here
类似的东西:
protected Void doInBackground(final Void... unused)
{
//this part does not block progress, that's OK
loadDB();
publishProgress(0);
buildTree();
}
public void buildTree()
{
//build list view within for loop
int nCnt = getCountHere();
for(int =0; i<nCnt; i++)
{
publishProgress(i); //for exmple...
//add tree item here
}
}