关于AlertDialog的小坑

当我们需要获知AlertDialog是否正在显示,我那个往我们会用到isShowing()方法,针对隐藏dialog的方法主要有三种:cancel()、hide()、dismiss()。但是不是调用这三个方法中的任意一个都能让dialog .isShowing()返回false。


我们需要看一下源码:


既然我们想调用isShowing()方法来判断dialog是否正在显示,那么我们就必须先看看这个方法的实现:

    /**
     * @return Whether the dialog is currently showing.
     */
    public boolean isShowing() {
        return mShowing;
    }

很简单,就是返回了这么一个boolean型的变量,这个变量很明显是用来标识dialog是否正在显示的。

要想知道三个方法是否都能让isShowing()方法返回false,那么我们就需要看看三个方法是怎样影响mShowing这个变量的!


首先来看一下cancel方法的源码:

    /**
     * Cancel the dialog.  This is essentially the same as calling {@link #dismiss()}, but it will
     * also call your {@link DialogInterface.OnCancelListener} (if registered).
     */
    @Override
    public void cancel() {
        if (!mCanceled && mCancelMessage != null) {
            mCanceled = true;
            // Obtain a new message so this dialog can be re-used
            Message.obtain(mCancelMessage).sendToTarget();
        }
        dismiss();
    }

可见最终调用了dismiss方法。


接下来看dismiss方法:

    /**
     * Dismiss this dialog, removing it from the screen. This method can be
     * invoked safely from any thread.  Note that you should not override this
     * method to do cleanup when the dialog is dismissed, instead implement
     * that in {@link #onStop}.
     */
    @Override
    public void dismiss() {
        if (Looper.myLooper() == mHandler.getLooper()) {
            dismissDialog();
        } else {
            mHandler.post(mDismissAction);
        }
    }

dismiss方法调用了dismissDialog(),那我们还得去看看dismissDialog()方法的源码:

    void dismissDialog() {
        if (mDecor == null || !mShowing) {
            return;
        }

        if (mWindow.isDestroyed()) {
            Log.e(TAG, "Tried to dismissDialog() but the Dialog's window was already destroyed!");
            return;
        }

        try {
            mWindowManager.removeViewImmediate(mDecor);
        } finally {
            if (mActionMode != null) {
                mActionMode.finish();
            }
            mDecor = null;
            mWindow.closeAllPanels();
            onStop();
            mShowing = false;

            sendDismissMessage();
        }
    }

看到这里似乎很明显了,cancel()和dismiss()两个方法都给mShowing变量赋值为false了。


那么,hide()方法呢?来看一下源码:

    /**
     * Hide the dialog, but do not dismiss it.
     */
    public void hide() {
        if (mDecor != null) {
            mDecor.setVisibility(View.GONE);
        }
    }

hide()方法没有调用任何其他的方法,就这么短短三行,只是把dialog设置成了GONE。。因此,hide()方法并没有改变mShowing的值。


看到这里我们就知道为什么我说三个方法不是都能让isShowing方法返回准确的值了。


所以,如果你需要用isShowing方法判断dialog是否正在显示,记得在隐藏dialog的时候不要使用hide方法。


你可能感兴趣的:(Android)