0

我创建了从 AlertDialog 继承的类。此类启动线程,通过互联网检查某些值(操作时间长)。该对话框有一个按钮(POSITIVE_BUTTON)。在线程结束之前,应该禁用此按钮。但我不知道如何从线程启用此按钮。

我的代码:

public MyDialog(Context context) {
    super(context);
    View view = getLayoutInflater().inflate(R.layout.dialog, null);
    setView(view);

    getButton(BUTTON_POSITIVE).setEnabled(false);

    new Thread(new Runnable() {
        public void run() {
            // Long operation time code
            getButton(BUTTON_POSITIVE).setEnabled(true); // CRASH!!!
        }
    }).start();    
}

该错误表明我从另一个线程更改视图。而且我不能使用该runOnUIThread方法,因为它不会在 AlertDialog 中退出。我应该怎么办?

4

3 回答 3

1

如果您能够Activity在构造函数中传递一个,只需执行以下操作:

public class MyDialog extends AlertDialog {

    public MyDialog(Activity act) {
        super(act);
        View view = getLayoutInflater().inflate(R.layout.layout_launch, null);
        setView(view);

        getButton(BUTTON_POSITIVE).setEnabled(false);

        act.runOnUiThread(new Runnable() {
            public void run() {
                // Long operation time
                getButton(BUTTON_POSITIVE).setEnabled(true); // CRASH!!!
            }
        });  
    }

}
于 2013-06-14T16:40:15.687 回答
0

您不能从不同于 UI 线程的线程管理 UI 元素

 public MyDialog(Context context) {
    super(context);
    final View view = getLayoutInflater().inflate(R.layout.dialog, null);
    setView(view);

    getButton(BUTTON_POSITIVE).setEnabled(false);

    new Thread(new Runnable() {
        public void run() {
            // Long operation time code
           view.post(new Runnable() {
              public void run() {
                 View button = getButton(BUTTON_POSITIVE);
                  if (button != null)
                     button.setEnabled(true); // CRASH!!!
              }
           }
        }
    }).start();    
}

您还想检查返回的空值getButton()

于 2013-06-14T17:05:28.243 回答
-1

假设您传递的上下文是调用活动,那么:

public MyDialog(Context context) {
    super(context);
    View view = getLayoutInflater().inflate(R.layout.activity_main, null);
    setView(view);

    getButton(BUTTON_POSITIVE).setEnabled(false);

    ((Activity) context).runOnUiThread(
    new Thread(new Runnable() {
        public void run() {
            // Long operation time
            getButton(BUTTON_POSITIVE).setEnabled(true); // CRASH!!!
        }
    }));
}
于 2013-06-14T16:40:52.153 回答