如何在FragmentDialog中设置标题和文本?

时间:2018-09-27 17:46:29

标签: android alertdialog android-alertdialog

我有一个MainActivity,其中包含5个片段,其中2个片段在右上角的工具栏上有一个帮助图标。我在其他3个片段上都隐藏了此图标。单击帮助图标后,将显示一个警告对话框,其中包含标题,消息和一个肯定按钮。

这是我的警报对话框代码:

public class HelpDialogFragment extends DialogFragment {

    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {
        AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
        builder.setTitle("Help");
        builder.setMessage("Placeholder");
        builder.setPositiveButton("Got It", new DialogInterface.OnClickListener() {
                public void onClick(DialogInterface dialog, int id) {}
            });
        return builder.create();
    }
}

这是我在MainActivity中显示的方式:

@Override
public boolean onOptionsItemSelected(MenuItem item) {
    switch (item.getItemId()) {
        case R.id.action_help:
            DialogFragment helpDialog = new HelpDialogFragment();
            helpDialog.show(getSupportFragmentManager(), "dialogHelp");
            return true;
    }
    return super.onOptionsItemSelected(item);
}

上面的代码可以工作,但是我想根据所选的片段显示不同的消息,那么如何更改消息?我尝试过更改标题

helpDialog.getDialog().setTitle("Some Text");

请注意,我想更改对话框消息,即主要内容,我只在setTitle()上获得了getDialog()方法,而没有setMessage(),上面的setTitle仅作为示例目的,但即使它抛出NullPointerException。

enter image description here

如您在上面的屏幕截图中所见,“占位符”文本是我在创建AlertDialog时添加的默认文本,但是现在如何更改它?

2 个答案:

答案 0 :(得分:1)

通过阅读您的帖子和评论,您似乎需要根据可见的片段设置不同的标题。对话框的创建是通过活动进行的,因此您不确定要设置的标题。

问题本质上是识别可见片段并根据它设置消息。

您可以使用这样的参数传递消息。

Fragment fragment = new Fragment();
Bundle bundle = new Bundle();
bundle.putString(message, "My title");
fragment.setArguments(bundle);  

然后在您的Fragment中,获取数据(例如,在onCreate()方法中)

Bundle bundle = this.getArguments();
if (bundle != null) {
        String message = bundle.getString(message, defaultValue);
}

如何识别当前可见的片段?您可以按照these答案中的建议进行操作。获得当前片段后,只需根据其在上面的参数中发送消息即可。

通过结合以上两个想法,您可以做到这一点。

另一种方法是从片段而不是从活动开始对话框,但这将涉及更多更改,因此上述方法更好。

答案 1 :(得分:0)

在调用HelpDialogFragment类时首先通过捆绑传递必需的消息

HelpDialogFragment helpDialog = new HelpDialogFragment();

Bundle bundle = new Bundle();
bundle.putString("placeholder", "Custom placeholder");
helpDialog.setArguments(bundle);
helpDialog.show(getSupportFragmentManager(), "dialogHelp");

现在修改您的HelpDialogFragment类,创建像这样的对话框

public class HelpDialogFragment extends DialogFragment {

    @Override
    public Dialog onCreateDialog(Bundle savedInstanceState) {

        AlertDialog.Builder builder = new AlertDialog.Builder(getActivity());
        builder.setTitle("Help");
        if (getArguments() != null) 
            builder.setMessage(getArguments().getString("placeholder",""));
        builder.setPositiveButton("Got It", new DialogInterface.OnClickListener() {
                public void onClick(DialogInterface dialog, int id) {}
            });
        return builder.create();
    }
}