4

我创建了一个带有自定义 AlertDialog 的 DialogFragment,我需要在我的应用程序的几个点上显示它。此对话框要求用户输入一些数据。

我想找到一种方法来使调用对话框的活动等待用户输入,然后在用户按下确定按钮时执行可变操作(或者如果他按下取消则不执行任何操作)。

AFAIK在Android中没有“模态对话框”,那么实现这种(非常常见的)行为的正确方法是什么?

4

1 回答 1

7

要允许 Fragment 与其 Activity 进行通信,您可以在 Fragment 类中定义一个接口并在 Activity 中实现它。

public class MyDialogFragment extends DialogFragment {
OnDialogDismissListener mCallback;

// Container Activity must implement this interface
public interface OnDialogDismissListener {
    public void onDialogDismissListener(int position);
}

@Override
public void onAttach(Activity activity) {
    super.onAttach(activity);

    // This makes sure that the container activity has implemented
    // the callback interface. If not, it throws an exception
    try {
        mCallback = (OnDialogDismissListener) activity;
    } catch (ClassCastException e) {
        throw new ClassCastException(activity.toString()
                + " must implement OnDialogDismissListener");
    }
}


    ...
}

在对话框中确定侦听器添加

mCallback.onDialogDismissListener(position);

在你的活动中

public static class MainActivity extends Activity
        implements MyDialogFragment.OnDialogDismissListener{
    ...

    public void onDialogDismissListener(int position) {
        // Do something here to display that article
    }
}
于 2013-06-02T14:25:49.837 回答