ボタンがクリックされたときにダイアログが閉じないようにする方法


732

EditText入力用のダイアログがあります。ダイアログの[はい]ボタンをクリックすると、入力が検証されてダイアログが閉じます。ただし、入力が間違っている場合は、同じダイアログに留まりたいです。入力が何であっても、「いいえ」ボタンをクリックするとダイアログは自動的に閉じられます。これを無効にするにはどうすればよいですか?ちなみに、ダイアログのボタンには、PositiveButtonとNegativeButtonを使用しています。

回答:


916

編集:これは、コメントの一部で指摘されているように、API 8以降でのみ機能します。

これは遅い回答ですが、onShowListenerをAlertDialogに追加して、ボタンのonClickListenerをオーバーライドできます。

final AlertDialog dialog = new AlertDialog.Builder(context)
        .setView(v)
        .setTitle(R.string.my_title)
        .setPositiveButton(android.R.string.ok, null) //Set to null. We override the onclick
        .setNegativeButton(android.R.string.cancel, null)
        .create();

dialog.setOnShowListener(new DialogInterface.OnShowListener() {

    @Override
    public void onShow(DialogInterface dialogInterface) {

        Button button = ((AlertDialog) dialog).getButton(AlertDialog.BUTTON_POSITIVE);
        button.setOnClickListener(new View.OnClickListener() {

            @Override
            public void onClick(View view) {
                // TODO Do something

                //Dismiss once everything is OK.
                dialog.dismiss();
            }
        });
    }
});
dialog.show();

7
ねえ、今までよりも遅くて、私はそれを探していました、ありがとう、+ 1 :)これは、特にアラートを処理するヘルパーラッピングクラスがある場合に、ダイアログに検証を追加するエレガントな方法です
Guillaume

11
動作しません。AlertDialog.Builder.setOnShowListenerは存在しません。developer.android.com/reference/android/app/...
Leandros

4
API pre 8では、d.getButton(AlertDialog.BUTTON_POSITIVE);を呼び出すことができます。パブリックメソッドですが、show();と呼ばなければなりません。発行された場合、それ以外の場合はzouはnullを取得します
Hurda 2012

13
nullのOnClickListenerをダイアログビルダーに設定することで、これを少しでもクリーンにすることができます(空の「// this is overridrided」リスナーを保存します)。
スティーブヘイリー

1
onCreateDialog(Bundle savedInstanceState)メソッドでAlertDialogが作成されると、DialogFragmentsでも正常に機能します。
Christian Lischnig、2012

655

すべてのAPIレベルで機能するAlertDialog.Builderのソリューションを含む、すべてのタイプのダイアログのソリューションをいくつか示します(API 8の下で機能しますが、他の回答はここでは機能しません)。AlertDialog.Builder、DialogFragment、DialogPreferenceを使用したAlertDialogのソリューションがあります。

以下は、デフォルトの共通ボタンハンドラーをオーバーライドし、これらの異なる形式のダイアログでダイアログが閉じないようにする方法を示すコード例です。すべての例は、正のボタンがダイアログを閉じないようにする方法を示しています。

注:基本のAndroidクラスの内部でダイアログを閉じる方法と、次のアプローチが選択される理由の説明は、例の後に続きます。


AlertDialog.Builder-show()の直後にデフォルトのボタンハンドラーを変更する

AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
builder.setMessage("Test for preventing dialog close");
builder.setPositiveButton("Test", 
        new DialogInterface.OnClickListener()
        {
            @Override
            public void onClick(DialogInterface dialog, int which)
            {
                //Do nothing here because we override this button later to change the close behaviour. 
                //However, we still need this because on older versions of Android unless we 
                //pass a handler the button doesn't get instantiated
            }
        });
final AlertDialog dialog = builder.create();
dialog.show();
//Overriding the handler immediately after show is probably a better approach than OnShowListener as described below
dialog.getButton(AlertDialog.BUTTON_POSITIVE).setOnClickListener(new View.OnClickListener()
      {            
          @Override
          public void onClick(View v)
          {
              Boolean wantToCloseDialog = false;
              //Do stuff, possibly set wantToCloseDialog to true then...
              if(wantToCloseDialog)
                  dialog.dismiss();
              //else dialog stays open. Make sure you have an obvious way to close the dialog especially if you set cancellable to false.
          }
      });

DialogFragment-onResume()をオーバーライドする

@Override
public Dialog onCreateDialog(Bundle savedInstanceState)
{
    AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
    builder.setMessage("Test for preventing dialog close");
    builder.setPositiveButton("Test", 
        new DialogInterface.OnClickListener()
        {
            @Override
            public void onClick(DialogInterface dialog, int which)
            {
                //Do nothing here because we override this button later to change the close behaviour. 
                //However, we still need this because on older versions of Android unless we 
                //pass a handler the button doesn't get instantiated
            }
        });
    return builder.create();
}

//onStart() is where dialog.show() is actually called on 
//the underlying dialog, so we have to do it there or 
//later in the lifecycle.
//Doing it in onResume() makes sure that even if there is a config change 
//environment that skips onStart then the dialog will still be functioning
//properly after a rotation.
@Override
public void onResume()
{
    super.onResume();    
    final AlertDialog d = (AlertDialog)getDialog();
    if(d != null)
    {
        Button positiveButton = (Button) d.getButton(Dialog.BUTTON_POSITIVE);
        positiveButton.setOnClickListener(new View.OnClickListener()
                {
                    @Override
                    public void onClick(View v)
                    {
                        Boolean wantToCloseDialog = false;
                        //Do stuff, possibly set wantToCloseDialog to true then...
                        if(wantToCloseDialog)
                            d.dismiss();
                        //else dialog stays open. Make sure you have an obvious way to close the dialog especially if you set cancellable to false.
                    }
                });
    }
}

DialogPreference-showDialog()をオーバーライドする

@Override
protected void onPrepareDialogBuilder(Builder builder)
{
    super.onPrepareDialogBuilder(builder);
    builder.setPositiveButton("Test", this);   //Set the button here so it gets created
}

@Override
protected void showDialog(Bundle state)
{       
    super.showDialog(state);    //Call show on default first so we can override the handlers

    final AlertDialog d = (AlertDialog) getDialog();
    d.getButton(AlertDialog.BUTTON_POSITIVE).setOnClickListener(new View.OnClickListener()
            {            
                @Override
                public void onClick(View v)
                {
                    Boolean wantToCloseDialog = false;
                    //Do stuff, possibly set wantToCloseDialog to true then...
                    if(wantToCloseDialog)
                        d.dismiss();
                    //else dialog stays open. Make sure you have an obvious way to close the dialog especially if you set cancellable to false.
                }
            });
}

アプローチの説明:

Androidソースコードを調べると、AlertDialogのデフォルト実装は、OnCreate()の実際のすべてのボタンに共通のボタンハンドラーを登録することで機能します。ボタンがクリックされると、共通ボタンハンドラーがクリックイベントをsetButton()で渡したハンドラーに転送し、呼び出してダイアログを閉じます。

これらのボタンの1つが押されたときにダイアログボックスが閉じないようにする場合は、ボタンの実際のビューの共通ボタンハンドラーを置き換える必要があります。これはOnCreate()で割り当てられるため、デフォルトのOnCreate()実装が呼び出された後で置き換える必要があります。OnCreateは、show()メソッドのプロセスで呼び出されます。カスタムDialogクラスを作成し、OnCreate()をオーバーライドしてsuper.OnCreate()を呼び出してから、ボタンハンドラーをオーバーライドすることができますが、カスタムダイアログを作成した場合、Builderを無料で入手できません。 ?

したがって、ダイアログを設計された方法で使用する場合に、いつ閉じるかを制御する方法の1つは、最初にdialog.Show()を呼び出し、次にdialog.getButton()を使用してボタンへの参照を取得して、クリックハンドラーをオーバーライドすることです。別のアプローチは、setOnShowListener()を使用して、ボタンビューの検索を実装し、OnShowListenerのハンドラーを置き換えることです。2つの機能の違いは、ダイアログインスタンスを最初に作成したスレッドに応じて、「ほぼ」ゼロです。ソースコードを見ると、onShowListenerは、そのダイアログを作成したスレッドで実行されているハンドラーに投稿されたメッセージによって呼び出されます。したがって、OnShowListenerはメッセージキューに投稿されたメッセージによって呼び出されるため、技術的には、ショーの完了後、リスナーの呼び出しが遅延する可能性があります。

したがって、私は最も安全なアプローチが最初だと思います:show.Dialog()を呼び出して、すぐに同じ実行パスでボタンハンドラーを置き換えます。show()を呼び出すコードはメインGUIスレッドで動作するため、OnShowListenerメソッドのタイミングは、メッセージキュー。


12
これは、最も簡単な実装であり、完全に機能します。AlertDialog.Builderを使用しました-show()の直後にデフォルトのボタンハンドラーを変更すると、チャームのように動作します。
2013年

1
@soggerおい、セクション1でdismiss();していたので、私はあなたの素晴らしい答えを完全に大胆に編集しました。代わりに、dialog.dismiss(); 素晴らしい答えをありがとう!
Fattie、2014年

ProgressDialogボタンがクリックされたときに閉じないようにする方法はありますか?
Joshua Pinter、2014

1
聖なる牛、Androidについてもっと知れば知るほどうんざりします...これらはすべて、単純なダイアログを適切に機能させるためだけのものです。ダイアログの表示方法を理解するだけで数時間かかる
SpaceMonkey

1
@harsh_vは、次の人にonResume()を使用するように回答を更新しました。ありがとう!
Sogger 2017年

37

代替ソリューション

UXの観点から別の答えを提示したいと思います。

ボタンがクリックされたときにダイアログが閉じないようにしたいのはなぜですか?おそらく、ユーザーが選択していないか、まだすべてを完全に入力していないカスタムダイアログがあるためです。そして、それらが完了していない場合は、肯定的なボタンをクリックすることをまったく許可しないでください。すべての準備ができるまで、無効にしてください。

ここでの他の答えは、正のボタンのクリックを無効にするための多くのトリックを提供します。それが重要であるならば、Androidはそれを行うための便利な方法を作ったのではないでしょうか?彼らはしませんでした。

代わりに、Dialogsデザインガイドはそのような状況の例を示しています。[OK]ボタンは、ユーザーが選択するまで無効になります。上書きのトリックはまったく必要ありません。続行する前に、まだ何かを行う必要があることはユーザーには明らかです。

ここに画像の説明を入力してください

正のボタンを無効にする方法

カスタムダイアログレイアウトの作成については、Androidのドキュメントをご覧ください。AlertDialog内部に置くことをお勧めしますDialogFragment。次に、レイアウト要素のリスナーを設定するだけで、ポジティブボタンを有効または無効にするタイミングを知ることができます。

正のボタンは次のように無効にすることができます:

AlertDialog dialog = (AlertDialog) getDialog();
dialog.getButton(AlertDialog.BUTTON_POSITIVE).setEnabled(false);

以下は、DialogFragment上の画像で使用されているような、無効にされた肯定的なボタンでの作業全体です。

import android.support.v4.app.DialogFragment;
import android.support.v7.app.AlertDialog;

public class MyDialogFragment extends DialogFragment {

    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {

        // inflate the custom dialog layout
        LayoutInflater inflater = getActivity().getLayoutInflater();
        View view = inflater.inflate(R.layout.my_dialog_layout, null);

        // add a listener to the radio buttons
        RadioGroup radioGroup = (RadioGroup) view.findViewById(R.id.radio_group);
        radioGroup.setOnCheckedChangeListener(new RadioGroup.OnCheckedChangeListener() {
            @Override
            public void onCheckedChanged(RadioGroup radioGroup, int i) {
                // enable the positive button after a choice has been made
                AlertDialog dialog = (AlertDialog) getDialog();
                dialog.getButton(AlertDialog.BUTTON_POSITIVE).setEnabled(true);
            }
        });

        // build the alert dialog
        AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
        builder.setView(view)
                .setPositiveButton("OK", new DialogInterface.OnClickListener() {
                    @Override
                    public void onClick(DialogInterface dialog, int id) {
                        // TODO: use an interface to pass the user choice back to the activity
                    }
                })
                .setNegativeButton("Cancel", new DialogInterface.OnClickListener() {
                    public void onClick(DialogInterface dialog, int id) {
                        MyDialogFragment.this.getDialog().cancel();
                    }
                });
        return builder.create();
    }

    @Override
    public void onResume() {
        super.onResume();

        // disable positive button by default
        AlertDialog dialog = (AlertDialog) getDialog();
        dialog.getButton(AlertDialog.BUTTON_POSITIVE).setEnabled(false);
    }
}

カスタムダイアログは、次のようなアクティビティから実行できます。

MyDialogFragment dialog = new MyDialogFragment();
dialog.show(getFragmentManager(), "MyTag");

ノート

  • 簡潔にするために、ユーザーが選択した情報をアクティビティに返すための通信インターフェースは省略しました。ドキュメントこれはしかし、どのように行われるかを示しています。
  • ボタンはまだnullあるonCreateDialogので、で無効にしましたonResume。これは、ユーザーが別のアプリに切り替えてダイアログを閉じずに戻ってきた場合に、再び無効にするという望ましくない影響があります。これは、ユーザーの選択をすべて解除するか、Runnablefrom onCreateDialogを呼び出して次の実行ループでボタンを無効にすることによって解決できます。

    view.post(new Runnable() {
        @Override
        public void run() {
            AlertDialog dialog = (AlertDialog) getDialog();
            dialog.getButton(AlertDialog.BUTTON_POSITIVE).setEnabled(false);
        }
    });

関連した


33

ダイアログのボタンを押したときに自動破棄機能を無効にするために使用できる簡単なクラス(AlertDialogBu​​ilder)を作成しました。

Android 1.6とも互換性があるため、OnShowListener(API> = 8でのみ利用可能)を利用しません。

したがって、AlertDialog.Builderを使用する代わりに、このCustomAlertDialogBu​​ilderを使用できます。最も重要な部分は、create()ではなく、show()メソッドのみを呼び出すことです。setCanceledOnTouchOutside()setOnDismissListenerなどのメソッドを追加して、ビルダーで直接設定できるようにしました。

私はAndroid 1.6、2.x、3.x、4.xでテストしたので、かなりうまくいくはずです。何か問題を見つけたらここにコメントしてください。

package com.droidahead.lib.utils;

import android.app.AlertDialog;
import android.content.Context;
import android.content.DialogInterface;
import android.view.View;
import android.view.View.OnClickListener;

public class CustomAlertDialogBuilder extends AlertDialog.Builder {
    /**
     * Click listeners
     */
    private DialogInterface.OnClickListener mPositiveButtonListener = null;
    private DialogInterface.OnClickListener mNegativeButtonListener = null;
    private DialogInterface.OnClickListener mNeutralButtonListener = null;

    /**
     * Buttons text
     */
    private CharSequence mPositiveButtonText = null;
    private CharSequence mNegativeButtonText = null;
    private CharSequence mNeutralButtonText = null;

    private DialogInterface.OnDismissListener mOnDismissListener = null;

    private Boolean mCancelOnTouchOutside = null;

    public CustomAlertDialogBuilder(Context context) {
        super(context);
    }

    public CustomAlertDialogBuilder setOnDismissListener (DialogInterface.OnDismissListener listener) {
        mOnDismissListener = listener;
        return this;
    }

    @Override
    public CustomAlertDialogBuilder setNegativeButton(CharSequence text, DialogInterface.OnClickListener listener) {
        mNegativeButtonListener = listener;
        mNegativeButtonText = text;
        return this;
    }

    @Override
    public CustomAlertDialogBuilder setNeutralButton(CharSequence text, DialogInterface.OnClickListener listener) {
        mNeutralButtonListener = listener;
        mNeutralButtonText = text;
        return this;
    }

    @Override
    public CustomAlertDialogBuilder setPositiveButton(CharSequence text, DialogInterface.OnClickListener listener) {
        mPositiveButtonListener = listener;
        mPositiveButtonText = text;
        return this;
    }

    @Override
    public CustomAlertDialogBuilder setNegativeButton(int textId, DialogInterface.OnClickListener listener) {
        setNegativeButton(getContext().getString(textId), listener);
        return this;
    }

    @Override
    public CustomAlertDialogBuilder setNeutralButton(int textId, DialogInterface.OnClickListener listener) {
        setNeutralButton(getContext().getString(textId), listener);
        return this;
    }

    @Override
    public CustomAlertDialogBuilder setPositiveButton(int textId, DialogInterface.OnClickListener listener) {
        setPositiveButton(getContext().getString(textId), listener);
        return this;
    }

    public CustomAlertDialogBuilder setCanceledOnTouchOutside (boolean cancelOnTouchOutside) {
        mCancelOnTouchOutside = cancelOnTouchOutside;
        return this;
    }



    @Override
    public AlertDialog create() {
        throw new UnsupportedOperationException("CustomAlertDialogBuilder.create(): use show() instead..");
    }

    @Override
    public AlertDialog show() {
        final AlertDialog alertDialog = super.create();

        DialogInterface.OnClickListener emptyOnClickListener = new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialog, int which) { }
        };


        // Enable buttons (needed for Android 1.6) - otherwise later getButton() returns null
        if (mPositiveButtonText != null) {
            alertDialog.setButton(AlertDialog.BUTTON_POSITIVE, mPositiveButtonText, emptyOnClickListener);
        }

        if (mNegativeButtonText != null) {
            alertDialog.setButton(AlertDialog.BUTTON_NEGATIVE, mNegativeButtonText, emptyOnClickListener);
        }

        if (mNeutralButtonText != null) {
            alertDialog.setButton(AlertDialog.BUTTON_NEUTRAL, mNeutralButtonText, emptyOnClickListener);
        }

        // Set OnDismissListener if available
        if (mOnDismissListener != null) {
            alertDialog.setOnDismissListener(mOnDismissListener);
        }

        if (mCancelOnTouchOutside != null) {
            alertDialog.setCanceledOnTouchOutside(mCancelOnTouchOutside);
        }

        alertDialog.show();

        // Set the OnClickListener directly on the Button object, avoiding the auto-dismiss feature
        // IMPORTANT: this must be after alert.show(), otherwise the button doesn't exist..
        // If the listeners are null don't do anything so that they will still dismiss the dialog when clicked
        if (mPositiveButtonListener != null) {
            alertDialog.getButton(AlertDialog.BUTTON_POSITIVE).setOnClickListener(new OnClickListener() {

                @Override
                public void onClick(View v) {
                    mPositiveButtonListener.onClick(alertDialog, AlertDialog.BUTTON_POSITIVE);
                }
            });
        }

        if (mNegativeButtonListener != null) {
            alertDialog.getButton(AlertDialog.BUTTON_NEGATIVE).setOnClickListener(new OnClickListener() {

                @Override
                public void onClick(View v) {
                    mNegativeButtonListener.onClick(alertDialog, AlertDialog.BUTTON_NEGATIVE);
                }
            });
        }

        if (mNeutralButtonListener != null) {
            alertDialog.getButton(AlertDialog.BUTTON_NEUTRAL).setOnClickListener(new OnClickListener() {

                @Override
                public void onClick(View v) {
                    mNeutralButtonListener.onClick(alertDialog, AlertDialog.BUTTON_NEUTRAL);
                }
            });
        }

        return alertDialog;
    }   
}

編集以下は、CustomAlertDialogBu​​ilderの使用方法に関する小さな例です。

// Create the CustomAlertDialogBuilder
CustomAlertDialogBuilder dialogBuilder = new CustomAlertDialogBuilder(context);

// Set the usual data, as you would do with AlertDialog.Builder
dialogBuilder.setIcon(R.drawable.icon);
dialogBuilder.setTitle("Dialog title");
dialogBuilder.setMessage("Some text..");

// Set your buttons OnClickListeners
dialogBuilder.setPositiveButton ("Button 1", new DialogInterface.OnClickListener() {
    public void onClick (DialogInterface dialog, int which) {
        // Do something...

        // Dialog will not dismiss when the button is clicked
        // call dialog.dismiss() to actually dismiss it.
    }
});

// By passing null as the OnClickListener the dialog will dismiss when the button is clicked.               
dialogBuilder.setNegativeButton ("Close", null);

// Set the OnDismissListener (if you need it)       
dialogBuilder.setOnDismissListener(new DialogInterface.OnDismissListener() {
    public void onDismiss(DialogInterface dialog) {
        // dialog was just dismissed..
    }
});

// (optional) set whether to dismiss dialog when touching outside
dialogBuilder.setCanceledOnTouchOutside(false);

// Show the dialog
dialogBuilder.show();

乾杯、

ユビ


いいね。しかし、私にはうまくいきませんでした。それにもかかわらず、ダイアログは却下されます。
Leandros

おかしいですね。私はそれを自分のアプリで使用しており、dialog.dismiss()を明示的に呼び出すボタンのみがDialogを閉じます。テストしているAndroidのバージョンは何ですか?CustomAlertDialogBu​​ilderを使用した場所にコードを表示できますか?
YuviDroid、2012年

私はそれがこのために引き起こされていると思う:(コールonClickListener後dialog.show())pastebin.com/uLnSu5v7私はpositiveButtonをクリックするとブール値がtrueの場合、彼らは却下を取得...
Leandros

Activity.onCreateDialog()を使用してテストしていません。おそらくそのようには機能しません。「答え」を編集して、使用方法の簡単な例を含めます。
YuviDroid、2012年

4
これは現在の編集で私にとってはうまくいきます!ただし、もう1つ注意が必要です。Builder.getContext()はAPI 11以降でのみ使用できます。Context mContext代わりにフィールドを追加して、コンストラクタに設定します。
Oleg Vaskevich、2012年

28

使用している場合DialogFragmentは、次のようになります。これは、ダイアログを処理するための推奨される方法です。

何がAlertDialogので起こりsetButton()方法(と私は同じ想像AlertDialogBuilderさんsetPositiveButton()とのsetNegativeButton())あなたが設定ボタン(例えばということですAlertDialog.BUTTON_POSITIVE、それとは)実際には二つの異なるがトリガされますOnClickListener押されたときにオブジェクトを。

第ビーイングのDialogInterface.OnClickListenerのパラメータであり、setButton()setPositiveButton()、およびsetNegativeButton()

もう1つはView.OnClickListenerAlertDialogで、ボタンが押されたときに自動的に閉じるように設定されており、AlertDialogそれ自体で設定されます。

あなたにできることは使用することがあるsetButton()nullとしてDialogInterface.OnClickListenerボタンを作成し、カスタムアクションメソッドの内部を呼び出すために、View.OnClickListener。例えば、

@Override
public Dialog onCreateDialog(Bundle savedInstanceState)
{
    AlertDialog alertDialog = new AlertDialog(getActivity());
    // set more items...
    alertDialog.setButton(AlertDialog.BUTTON_POSITIVE, "OK", null);

    return alertDialog;
}

その後、あなたはデフォルト無効にすることができるAlertDialogのボタンのView.OnClickListener中に(そうでない場合は、ダイアログを閉じます)DialogFragmentonResume()メソッドを:

@Override
public void onResume()
{
    super.onResume();
    AlertDialog alertDialog = (AlertDialog) getDialog();
    Button okButton = alertDialog.getButton(AlertDialog.BUTTON_POSITIVE);
    okButton.setOnClickListener(new View.OnClickListener() { 
        @Override
        public void onClick(View v)
        {
            performOkButtonAction();
        }
    });
}

private void performOkButtonAction() {
    // Do your stuff here
}

ダイアログが表示されるまで戻るonResume()ので、メソッドでこれを設定する必要があります!getButton()null

これにより、カスタムアクションメソッドが1回だけ呼び出され、ダイアログはデフォルトで閉じられません。


21

トムの答えに触発されて、私はここの考えは次のとおりだと思います:

  • 設定onClickListenerするダイアログの作成中null
  • 次にonClickListener、ダイアログが表示された後にa を設定します。

onShowListenerトムのようにオーバーライドできます。または、次のことができます

  1. AlertDialogを呼び出した後にボタンを取得する show()
  2. ボタンonClickListenerを次のように設定します(少し読みやすいと思います)。

コード:

AlertDialog.Builder builder = new AlertDialog.Builder(context);
// ...
final AlertDialog dialog = builder.create();
dialog.show();
// now you can override the default onClickListener
Button b = dialog.getButton(AlertDialog.BUTTON_POSITIVE);
b.setOnClickListener(new View.OnClickListener() {
    @Override
    public void onClick(View view) {
        Log.i(TAG, "ok button is clicked");
        handleClick(dialog);
    }
});

8

API 8より前のバージョンでは、ブールフラグを使用して問題を解決しました。editTextの内容が正しくない場合は、リスナーを閉じ、dialog.showを再度呼び出しました。このような:

case ADD_CLIENT:
        LayoutInflater factoryClient = LayoutInflater.from(this);
        final View EntryViewClient = factoryClient.inflate(
                R.layout.alert_dialog_add_client, null);

        EditText ClientText = (EditText) EntryViewClient
                .findViewById(R.id.client_edit);

        AlertDialog.Builder builderClient = new AlertDialog.Builder(this);
        builderClient
                .setTitle(R.string.alert_dialog_client)
                .setCancelable(false)
                .setView(EntryViewClient)
                .setPositiveButton("Save",
                        new DialogInterface.OnClickListener() {
                            public void onClick(DialogInterface dialog,
                                    int whichButton) {
                                EditText newClient = (EditText) EntryViewClient
                                        .findViewById(R.id.client_edit);
                                String newClientString = newClient
                                        .getText().toString();
                                if (checkForEmptyFields(newClientString)) {
                                    //If field is empty show toast and set error flag to true;
                                    Toast.makeText(getApplicationContext(),
                                            "Fields cant be empty",
                                            Toast.LENGTH_SHORT).show();
                                    add_client_error = true;
                                } else {
                                    //Here save the info and set the error flag to false
                                    add_client_error = false;
                                }
                            }
                        })
                .setNegativeButton("Cancel",
                        new DialogInterface.OnClickListener() {
                            public void onClick(DialogInterface dialog,
                                    int id) {
                                add_client_error = false;
                                dialog.cancel();
                            }
                        });
        final AlertDialog alertClient = builderClient.create();
        alertClient.show();

        alertClient
                .setOnDismissListener(new DialogInterface.OnDismissListener() {

                    @Override
                    public void onDismiss(DialogInterface dialog) {
                        //If the error flag was set to true then show the dialog again
                        if (add_client_error == true) {
                            alertClient.show();
                        } else {
                            return;
                        }

                    }
                });
        return true;

奇妙なonDismissが呼び出されない、私のレベルはAPIレベル21
duckduckgo

7

このリンクでの答えは単純なソリューションであり、API 3と互換性があります。TomBollwittのソリューションと非常によく似ていますが、互換性の低いOnShowListenerを使用していません。

はい、できます。基本的に次のことを行う必要があります。

  1. DialogBu​​ilderでダイアログを作成する
  2. show()ダイアログ
  3. 表示されたダイアログでボタンを見つけ、そのonClickListenerをオーバーライドします

EditTextPreferenceを拡張していたので、Kamenのコードに少し変更を加えました。

@Override
protected void showDialog(Bundle state) {
  super.showDialog(state);

  class mocl implements OnClickListener{
    private final AlertDialog dialog;
    public mocl(AlertDialog dialog) {
          this.dialog = dialog;
      }
    @Override
    public void onClick(View v) {

        //checks if EditText is empty, and if so tells the user via Toast
        //otherwise it closes dialog and calls the EditTextPreference's onClick
        //method to let it know that the button has been pressed

        if (!IntPreference.this.getEditText().getText().toString().equals("")){
        dialog.dismiss();
        IntPreference.this.onClick(dialog,DialogInterface.BUTTON_POSITIVE);
        }
        else {
            Toast t = Toast.makeText(getContext(), "Enter a number!", Toast.LENGTH_SHORT);
            t.show();
        }

    }
  }

  AlertDialog d = (AlertDialog) getDialog();
  Button b = d.getButton(DialogInterface.BUTTON_POSITIVE);
  b.setOnClickListener(new mocl((d)));
}

とても楽しい!


4

私は同様の問題を抱えていて、これが私のために働いたので、このコードはあなたのために働くでしょう。:)

1-フラグメントダイアログクラスのOnstart()メソッドをオーバーライドします。

@Override
public void onStart() {
    super.onStart();
    final AlertDialog D = (AlertDialog) getDialog();
    if (D != null) {
        Button positive = (Button) D.getButton(Dialog.BUTTON_POSITIVE);
        positive.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View arg0) {
                if (edittext.equals("")) {
   Toast.makeText(getActivity(), "EditText empty",Toast.LENGTH_SHORT).show();
                } else {
                D.dismiss(); //dissmiss dialog
                }
            }
        });
    }
}

3

ProgressDialogsの場合

ダイアログが自動的に閉じられないようにするOnClickListenerには、ProgressDialogが表示された後にを設定する必要があります。

connectingDialog = new ProgressDialog(this);

connectingDialog.setCancelable(false);
connectingDialog.setCanceledOnTouchOutside(false);

// Create the button but set the listener to a null object.
connectingDialog.setButton(DialogInterface.BUTTON_NEGATIVE, "Cancel", 
        (DialogInterface.OnClickListener) null )

// Show the dialog so we can then get the button from the view.
connectingDialog.show();

// Get the button from the view.
Button dialogButton = connectingDialog.getButton( DialogInterface.BUTTON_NEGATIVE);

// Set the onClickListener here, in the view.
dialogButton.setOnClickListener( new View.OnClickListener() {

    @Override
    public void onClick ( View v ) {

        // Dialog will not get dismissed until you call dismiss() explicitly.

    }

});

3
public class ComentarDialog extends DialogFragment{
private EditText comentario;

@Override
public Dialog onCreateDialog(Bundle savedInstanceState) {

    AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());

    LayoutInflater inflater = LayoutInflater.from(getActivity());
    View v = inflater.inflate(R.layout.dialog_comentar, null);
    comentario = (EditText)v.findViewById(R.id.etxt_comentar_dialog);

    builder.setTitle("Comentar")
           .setView(v)
           .setPositiveButton("OK", null)
           .setNegativeButton("CANCELAR", new DialogInterface.OnClickListener() {
               public void onClick(DialogInterface dialog, int id) {

               }
           });

    return builder.create();
}

@Override
public void onStart() {
    super.onStart();

    //Obtenemos el AlertDialog
    AlertDialog dialog = (AlertDialog)getDialog();

    dialog.setCanceledOnTouchOutside(false);
    dialog.setCancelable(false);//Al presionar atras no desaparece

    //Implementamos el listener del boton OK para mostrar el toast
    dialog.getButton(AlertDialog.BUTTON_POSITIVE).setOnClickListener(new View.OnClickListener() {
        @Override
        public void onClick(View v) {
            if(TextUtils.isEmpty(comentario.getText())){
               Toast.makeText(getActivity(), "Ingrese un comentario", Toast.LENGTH_SHORT).show();
               return;
            }
            else{
                ((AlertDialog)getDialog()).dismiss();
            }
        }
    });

    //Personalizamos
    Resources res = getResources();

    //Buttons
    Button positive_button = dialog.getButton(DialogInterface.BUTTON_POSITIVE);
    positive_button.setBackground(res.getDrawable(R.drawable.btn_selector_dialog));

    Button negative_button =  dialog.getButton(DialogInterface.BUTTON_NEGATIVE);
    negative_button.setBackground(res.getDrawable(R.drawable.btn_selector_dialog));

    int color = Color.parseColor("#304f5a");

    //Title
    int titleId = res.getIdentifier("alertTitle", "id", "android");
    View title = dialog.findViewById(titleId);
    if (title != null) {
        ((TextView) title).setTextColor(color);
    }

    //Title divider
    int titleDividerId = res.getIdentifier("titleDivider", "id", "android");
    View titleDivider = dialog.findViewById(titleDividerId);
    if (titleDivider != null) {
        titleDivider.setBackgroundColor(res.getColor(R.color.list_menu_divider));
    }
}
}

3

builder.show();を追加できます。検証メッセージの後、戻る前。

このような

    public void login()
{
    final AlertDialog.Builder builder = new AlertDialog.Builder(this);
    builder.setView(R.layout.login_layout);
    builder.setTitle("Login");



    builder.setNegativeButton("Cancel", new DialogInterface.OnClickListener()
    {
        @Override
        public void onClick(DialogInterface dialog, int id)
        {
            dialog.cancel();
        }
    });// put the negative button before the positive button, so it will appear

    builder.setPositiveButton("Ok", new DialogInterface.OnClickListener()
    {
        @Override
        public void onClick(DialogInterface dialog, int id)
        {
            Dialog d = (Dialog) dialog;
            final EditText etUserName = (EditText) d.findViewById(R.id.etLoginName);
            final EditText etPassword = (EditText) d.findViewById(R.id.etLoginPassword);
            String userName = etUserName.getText().toString().trim();
            String password = etPassword.getText().toString().trim();

            if (userName.isEmpty() || password.isEmpty())
            {

                Toast.makeText(getApplicationContext(),
                        "Please Fill all fields", Toast.LENGTH_SHORT).show();
                builder.show();// here after validation message before retrun
                               //  it will reopen the dialog
                              // till the user enter the right condition
                return;
            }

            user = Manager.get(getApplicationContext()).getUserByName(userName);

            if (user == null)
            {
                Toast.makeText(getApplicationContext(),
                        "Error ethier username or password are wrong", Toast.LENGTH_SHORT).show();
                builder.show();
                return;
            }
            if (password.equals(user.getPassword()))
            {
                etPassword.setText("");
                etUserName.setText("");
                setLogged(1);
                setLoggedId(user.getUserId());
                Toast.makeText(getApplicationContext(),
                        "Successfully logged in", Toast.LENGTH_SHORT).show();
               dialog.dismiss();// if every thing is ok then dismiss the dialog
            }
            else
            {
                Toast.makeText(getApplicationContext(),
                        "Error ethier username or password are wrong", Toast.LENGTH_SHORT).show();
                builder.show();
                return;
            }

        }
    });

    builder.show();

}

3

ダイアログボックスがクリックされたときに閉じないようにし、インターネットが利用可能なときにのみ閉じるようにする

インターネットが接続されるまでダイアログボックスを閉じたくないので、同じことを実行しようとしています。

これが私のコードです:

AlertDialog.Builder builder=new AlertDialog.Builder(MainActivity.this); builder.setTitle("Internet Not Connected");
    if(ifConnected()){

        Toast.makeText(this, "Connected or not", Toast.LENGTH_LONG).show();
    }
    else{
        builder.setPositiveButton("Retry", new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialogInterface, int i) {
               if(!ifConnected())
               {
                   builder.show();
               }
            }
        }).setNegativeButton("Cancel", new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialogInterface, int i) {
                finish();
            }
        });
        builder.show();

    }

そして、これが私の接続マネージャコードです:

 private boolean ifConnected()
{
    ConnectivityManager connectivityManager= (ConnectivityManager) getSystemService(Context.CONNECTIVITY_SERVICE);
    NetworkInfo networkInfo=connectivityManager.getActiveNetworkInfo();
   return networkInfo!=null && networkInfo.isConnected();
}

これは賢いですが、私は、このエラーメッセージが表示されます:The specified child already has a parent. You must call removeView() on the child's parent first
ダンChaltiel

2

使用している場合は、material-dialogsをmaterial design確認することをお勧めします。現在オープンしているAndroidのバグ(78088を参照)に関連するいくつかの問題が修正されましたが、最も重要なのは、このチケットには、autoDismissを使用するときに設定できるフラグがありますBuilder


1

カスタムレイアウトを使用して、コンテンツの下にDialogFragmentを追加LinearLayoutします。これは、Googleマテリアルデザインに合わせてボーダーレスとしてスタイル設定できます。次に、新しく作成されたボタンを見つけてオーバーライドしますOnClickListenerます。

例:

public class AddTopicFragment extends DialogFragment {

    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {
        final AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
        // Get the layout inflater
        LayoutInflater inflater = getActivity().getLayoutInflater();
        final View dialogView = inflater.inflate(R.layout.dialog_add_topic, null);

        Button saveTopicDialogButton = (Button) dialogView.findViewById(R.id.saveTopicDialogButton);
        Button cancelSaveTopicDialogButton = (Button) dialogView.findViewById(R.id.cancelSaveTopicDialogButton);

        final AppCompatEditText addTopicNameET = (AppCompatEditText) dialogView.findViewById(R.id.addTopicNameET);
        final AppCompatEditText addTopicCreatedByET = (AppCompatEditText) dialogView.findViewById(R.id.addTopicCreatedByET);

        saveTopicDialogButton.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View v) {
                // validate inputs
                if(addTopicNameET.getText().toString().trim().isEmpty()){
                    addTopicNameET.setError("Topic name can't be empty");
                    addTopicNameET.requestFocus();
                }else if(addTopicCreatedByET.getText().toString().trim().isEmpty()){
                    addTopicCreatedByET.setError("Topic created by can't be empty");
                    addTopicCreatedByET.requestFocus();
                }else {
                    // save topic to database
                    Topic topic = new Topic();
                    topic.name = addTopicNameET.getText().toString().trim();
                    topic.createdBy = addTopicCreatedByET.getText().toString().trim();
                    topic.createdDate = new Date().getTime();
                    topic.save();
                    AddTopicFragment.this.dismiss();
                }
            }
        });

        cancelSaveTopicDialogButton.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View v) {
                AddTopicFragment.this.dismiss();
            }
        });

        // Inflate and set the layout for the dialog
        // Pass null as the parent view because its going in the dialog layout
        builder.setView(dialogView)
               .setMessage(getString(R.string.add_topic_message));

        return builder.create();
    }

}

dialog_add_topic.xml

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    android:orientation="vertical"
    android:padding="@dimen/activity_horizontal_margin"
    android:layout_width="match_parent"
    android:layout_height="match_parent">

    <android.support.design.widget.TextInputLayout
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        app:errorEnabled="true">

        <android.support.v7.widget.AppCompatEditText
            android:id="@+id/addTopicNameET"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:hint="Topic Name"
            android:inputType="textPersonName"
            android:maxLines="1" />

    </android.support.design.widget.TextInputLayout>

    <android.support.design.widget.TextInputLayout
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        app:errorEnabled="true">

        <android.support.v7.widget.AppCompatEditText
            android:id="@+id/addTopicCreatedByET"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:hint="Created By"
            android:inputType="textPersonName"
            android:maxLines="1" />

    </android.support.design.widget.TextInputLayout>

    <LinearLayout
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:orientation="horizontal">
        <Button
            android:text="@string/cancel"
            android:layout_weight="1"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:id="@+id/cancelSaveTopicDialogButton"
            style="@style/Widget.AppCompat.Button.ButtonBar.AlertDialog" />

        <Button
            android:text="@string/save"
            android:layout_weight="1"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:id="@+id/saveTopicDialogButton"
            style="@style/Widget.AppCompat.Button.ButtonBar.AlertDialog" />

    </LinearLayout>


</LinearLayout>

これが最終結果です。


0

最も簡単な方法で構築できます:

カスタムビュー2つのボタン(正と負)を持つアラートダイアログ。

AlertDialog.Builder builder = new AlertDialog.Builder(getActivity()).setTitle(getString(R.string.select_period));
builder.setPositiveButton(getString(R.string.ok), null);

 builder.setNegativeButton(getString(R.string.cancel), new DialogInterface.OnClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int which) {

    // Click of Cancel Button

   }
 });

  LayoutInflater li = LayoutInflater.from(getActivity());
  View promptsView = li.inflate(R.layout.dialog_date_picker, null, false);
  builder.setView(promptsView);

  DatePicker startDatePicker = (DatePicker)promptsView.findViewById(R.id.startDatePicker);
  DatePicker endDatePicker = (DatePicker)promptsView.findViewById(R.id.endDatePicker);

  final AlertDialog alertDialog = builder.create();
  alertDialog.show();

  Button theButton = alertDialog.getButton(DialogInterface.BUTTON_POSITIVE);
  theButton.setOnClickListener(new CustomListener(alertDialog, startDatePicker, endDatePicker));

CustomClickLister正のボタン警告Dailog

private class CustomListener implements View.OnClickListener {
        private final Dialog dialog;
        private DatePicker mStartDp, mEndDp;
    public CustomListener(Dialog dialog, DatePicker dS, DatePicker dE) {
        this.dialog = dialog;
        mStartDp = dS;
        mEndDp = dE;
    }

    @Override
    public void onClick(View v) {

        int day1  = mStartDp.getDayOfMonth();
        int month1= mStartDp.getMonth();
        int year1 = mStartDp.getYear();
        Calendar cal1 = Calendar.getInstance();
        cal1.set(Calendar.YEAR, year1);
        cal1.set(Calendar.MONTH, month1);
        cal1.set(Calendar.DAY_OF_MONTH, day1);


        int day2  = mEndDp.getDayOfMonth();
        int month2= mEndDp.getMonth();
        int year2 = mEndDp.getYear();
        Calendar cal2 = Calendar.getInstance();
        cal2.set(Calendar.YEAR, year2);
        cal2.set(Calendar.MONTH, month2);
        cal2.set(Calendar.DAY_OF_MONTH, day2);

        if(cal2.getTimeInMillis()>=cal1.getTimeInMillis()){
            dialog.dismiss();
            Log.i("Dialog", "Dismiss");
            // Condition is satisfied so do dialog dismiss
            }else {
            Log.i("Dialog", "Do not Dismiss");
            // Condition is not satisfied so do not dialog dismiss
        }

    }
}

できた


-1

これはおそらく非常に遅い応答ですが、setCancelableを使用するとうまくいきます。

alertDial.setCancelable(false);

10
ドキュメントから:「このダイアログをBACKキーでキャンセルできるかどうかを設定します。」これは、ダイアログを却下正のボタンとは何の関係もありません...
clauziere

3
うまくいきません。正のボタンをクリックすると表示されません
Hugo

1
これはOPとは関係ありません
MatPag 2017

1
質問に対応していません
Kevin Crain、2018
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.