如何在 Android 警报对话框中显示列表视图?

Posted

技术标签:

【中文标题】如何在 Android 警报对话框中显示列表视图?【英文标题】:How can I display a list view in an Android Alert Dialog? 【发布时间】:2013-03-23 16:13:43 【问题描述】:

android 应用程序中,我想在 AlertDialog 中显示自定义列表视图。

我该怎么做?

【问题讨论】:

只需获取字符串列表,然后创建 CharSequence[] 序列,然后使用 AlertDialog.Builder 显示项目。这是快照feelzdroid.com/2014/12/… 的最简单示例 【参考方案1】:

使用下面的代码在 AlertDialog 中显示自定义列表

AlertDialog.Builder builderSingle = new AlertDialog.Builder(DialogActivity.this);
builderSingle.setIcon(R.drawable.ic_launcher);
builderSingle.setTitle("Select One Name:-");

final ArrayAdapter<String> arrayAdapter = new ArrayAdapter<String>(DialogActivity.this, android.R.layout.select_dialog_singlechoice);
arrayAdapter.add("Hardik");
arrayAdapter.add("Archit");
arrayAdapter.add("Jignesh");
arrayAdapter.add("Umang");
arrayAdapter.add("Gatti");

builderSingle.setNegativeButton("cancel", new DialogInterface.OnClickListener() 
            @Override
            public void onClick(DialogInterface dialog, int which) 
                dialog.dismiss();
            
        );

builderSingle.setAdapter(arrayAdapter, new DialogInterface.OnClickListener() 
            @Override
            public void onClick(DialogInterface dialog, int which) 
                String strName = arrayAdapter.getItem(which);
                AlertDialog.Builder builderInner = new AlertDialog.Builder(DialogActivity.this);
                builderInner.setMessage(strName);
                builderInner.setTitle("Your Selected Item is");
                builderInner.setPositiveButton("Ok", new DialogInterface.OnClickListener() 
                            @Override
                            public void onClick(DialogInterface dialog,int which) 
                                dialog.dismiss();
                            
                        );
                builderInner.show();
            
        );
builderSingle.show();

【讨论】:

有没有可能检测到对这个项目的长时间点击?我正在寻找适用于所有 api 级别的弹出菜单解决方案 @Shvet 应该是 show() 创建并显示对话框,而 create() 只创建它。 我怎样才能使用这个设置,而不是硬编码我的列表,我需要从用户已经拥有的解析中获取一些数据。? @stanleysantoso 创建自己的适配器,用数据填充它,然后将其设置为警报对话框的适配器: dialogBu​​ilder.setAdapter(MyCustomAdapter);这应该工作 什么是布局 select_dialog_single_choice?【参考方案2】:

According to the documentation,AlertDialog 可以使用三种列表:

    传统单选列表 永久单选列表(单选按钮) 永久多选列表(复选框)

我将在下面给出一个示例。

传统单选列表

制作传统单选列表的方法是使用setItems

Java 版本

// setup the alert builder
AlertDialog.Builder builder = new AlertDialog.Builder(context);
builder.setTitle("Choose an animal");

// add a list
String[] animals = "horse", "cow", "camel", "sheep", "goat";
builder.setItems(animals, new DialogInterface.OnClickListener() 
    @Override
    public void onClick(DialogInterface dialog, int which) 
        switch (which) 
            case 0: // horse
            case 1: // cow
            case 2: // camel
            case 3: // sheep
            case 4: // goat
        
    
);

// create and show the alert dialog
AlertDialog dialog = builder.create();
dialog.show();

不需要确定按钮,因为只要用户单击列表项控件就会返回到OnClickListener

Kotlin 版本

// setup the alert builder
val builder = AlertDialog.Builder(context)
builder.setTitle("Choose an animal")

// add a list
val animals = arrayOf("horse", "cow", "camel", "sheep", "goat")
builder.setItems(animals)  dialog, which ->
    when (which) 
        0 ->  /* horse */ 
        1 ->  /* cow   */ 
        2 ->  /* camel */ 
        3 ->  /* sheep */ 
        4 ->  /* goat  */ 
    


// create and show the alert dialog
val dialog = builder.create()
dialog.show()

单选按钮列表

单选按钮列表相对于传统列表的优势在于用户可以看到当前设置是什么。制作单选按钮列表的方法是使用setSingleChoiceItems

Java 版本

// setup the alert builder
AlertDialog.Builder builder = new AlertDialog.Builder(context);
builder.setTitle("Choose an animal");

// add a radio button list
String[] animals = "horse", "cow", "camel", "sheep", "goat";
int checkedItem = 1; // cow
builder.setSingleChoiceItems(animals, checkedItem, new DialogInterface.OnClickListener() 
    @Override
    public void onClick(DialogInterface dialog, int which) 
        // user checked an item
    
);

// add OK and Cancel buttons
builder.setPositiveButton("OK", new DialogInterface.OnClickListener() 
    @Override
    public void onClick(DialogInterface dialog, int which) 
        // user clicked OK
    
);
builder.setNegativeButton("Cancel", null);

// create and show the alert dialog
AlertDialog dialog = builder.create();
dialog.show();

我在这里对所选项目进行了硬编码,但您可以在实际项目中使用类成员变量对其进行跟踪。

Kotlin 版本

// setup the alert builder
val builder = AlertDialog.Builder(context)
builder.setTitle("Choose an animal")

// add a radio button list
val animals = arrayOf("horse", "cow", "camel", "sheep", "goat")
val checkedItem = 1 // cow
builder.setSingleChoiceItems(animals, checkedItem)  dialog, which ->
    // user checked an item



// add OK and Cancel buttons
builder.setPositiveButton("OK")  dialog, which ->
    // user clicked OK

builder.setNegativeButton("Cancel", null)

// create and show the alert dialog
val dialog = builder.create()
dialog.show()

复选框列表

制作复选框列表的方法是使用setMultiChoiceItems

Java 版本

// setup the alert builder
AlertDialog.Builder builder = new AlertDialog.Builder(context);
builder.setTitle("Choose some animals");

// add a checkbox list
String[] animals = "horse", "cow", "camel", "sheep", "goat";
boolean[] checkedItems = true, false, false, true, false;
builder.setMultiChoiceItems(animals, checkedItems, new DialogInterface.OnMultiChoiceClickListener() 
    @Override
    public void onClick(DialogInterface dialog, int which, boolean isChecked) 
        // user checked or unchecked a box
    
);

// add OK and Cancel buttons
builder.setPositiveButton("OK", new DialogInterface.OnClickListener() 
    @Override
    public void onClick(DialogInterface dialog, int which) 
        // user clicked OK
    
);
builder.setNegativeButton("Cancel", null);

// create and show the alert dialog
AlertDialog dialog = builder.create();
dialog.show();

在这里,我硬编码了列表中的哪些项目已经被检查过。您更有可能希望在ArrayList&lt;Integer&gt; 中跟踪它们。有关详细信息,请参阅documentation example。如果您总是希望一切都未选中,您还可以将选中的项目设置为null

Kotlin 版本

// setup the alert builder
val builder = AlertDialog.Builder(context)
builder.setTitle("Choose some animals")

// add a checkbox list
val animals = arrayOf("horse", "cow", "camel", "sheep", "goat")
val checkedItems = booleanArrayOf(true, false, false, true, false)
builder.setMultiChoiceItems(animals, checkedItems)  dialog, which, isChecked ->
    // user checked or unchecked a box


// add OK and Cancel buttons
builder.setPositiveButton("OK")  dialog, which ->
    // user clicked OK

builder.setNegativeButton("Cancel", null)

// create and show the alert dialog
val dialog = builder.create()
dialog.show()

注意事项

对于上面代码中的context,不要使用getApplicationContext(),否则你会得到IllegalStateException(请参阅here了解原因)。相反,获取对活动上下文的引用,例如 this。 您还可以使用setAdaptersetCursor 或将CursorListAdapter 传递到setSingleChoiceItemssetMultiChoiceItems 中从数据库或其他来源填充​​列表项。 如果列表的长度超出屏幕的大小,则对话框将自动滚动它。不过,如果您的列表很长,我猜您应该创建一个 custom dialog 和 a RecyclerView。

为了测试上面的所有示例,我只有一个带有单个按钮的简单项目,而不是在单击时显示对话框:

import android.support.v7.app.AppCompatActivity;

public class MainActivity extends AppCompatActivity 

    Context context;

    @Override
    protected void onCreate(Bundle savedInstanceState) 
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        context = this;
    

    public void showAlertDialogButtonClicked(View view) 

        // example code to create alert dialog lists goes here
    

相关

Android Alert Dialog with one, two, and three buttons How to implement a custom AlertDialog View

【讨论】:

这很好,现在添加图标;) @AaA,我认为您需要在布局中创建一个使用 RecyclerView 的 custom layout alert dialog。 对话框 onclick 方法中的 'which' 是什么意思? @gonephishing,根据documentation,是“被点击的按钮(例如BUTTON_POSITIVE)或者被点击的项目的位置”。 如果你想用自定义适配器实现一个简单的列表(1),使用Builder.setAdapter(ListAdapter, DialogInterface.OnClickListener)which in listener'sonClick将等于被点击的项目位置。 Builder.setOnItemSelectedListener 将无效。【参考方案3】:

您可以使用自定义对话框。

自定义对话框布局。 list.xml

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout
    xmlns:android="http://schemas.android.com/apk/res/android" 
    android:layout_
    android:layout_>
    <ListView
        android:id="@+id/lv"
        android:layout_
        android:layout_/>
</LinearLayout>

在你的活动中

Dialog dialog = new Dialog(Activity.this);
       dialog.setContentView(R.layout.list)

ListView lv = (ListView ) dialog.findViewById(R.id.lv);
dialog.setCancelable(true);
dialog.setTitle("ListView");
dialog.show();

编辑:

使用警报对话框

String names[] ="A","B","C","D";
AlertDialog.Builder alertDialog = new AlertDialog.Builder(MainActivity.this);
LayoutInflater inflater = getLayoutInflater();
View convertView = (View) inflater.inflate(R.layout.custom, null);
alertDialog.setView(convertView);
alertDialog.setTitle("List");
ListView lv = (ListView) convertView.findViewById(R.id.lv);
ArrayAdapter<String> adapter = new ArrayAdapter<String>(this,android.R.layout.simple_list_item_1,names);
lv.setAdapter(adapter);
alertDialog.show();

custom.xml

<?xml version="1.0" encoding="utf-8"?>
<ListView xmlns:android="http://schemas.android.com/apk/res/android"
    android:id="@+id/listView1"
    android:layout_
    android:layout_ >

</ListView>

捕捉

【讨论】:

@Juan - devtopia.coop 你在投票后编辑我的帖子只是为了反对。你能评论什么是错的 当前版本没有任何内容,以前的版本缺少所有适配器的东西,因此只是显示一个空的 ListView,我很高兴现在删除我的反对票。我投票给了一个不完整的答案,而不是 3 小时前的这个编辑。 @Raghunandan,我使用了你的代码,但在 lv.setAdapter(adapter);行,你能帮帮我吗? @Ahmad 什么是例外? @NeilGaliaskarov 是的,它是可滚动的。 Listview 将滚动【参考方案4】:
final CharSequence[] items = "A", "B", "C";

AlertDialog.Builder builder = new AlertDialog.Builder(this);
builder.setTitle("Make your selection");
builder.setItems(items, new DialogInterface.OnClickListener() 
    public void onClick(DialogInterface dialog, int item) 
        // Do something with the selection
        mDoneButton.setText(items[item]);
    
);
AlertDialog alert = builder.create();
alert.show();

【讨论】:

什么是 m.DoneButton? @ArhatBaid 但是当我将消息放入 setMessage 时,setItems 不起作用。我在谷歌搜索,但我找到的答案是在 setTitle 中设置消息。但问题是 setTitle 只允许几个字符。有没有办法在警报对话框中使用 setMessage 和 setItems? @David 你必须去自定义对话框。 这个解决方案非常好,因为您也可以使用ListAdaptersetSingleChoiceItems(非常类似于上面的调用) 按预期完美...用最少的代码处理数百个项目。 :)【参考方案5】:

使用“import android.app.AlertDialog;”导入然后你写

    String[] items = "...","....";             
    AlertDialog.Builder build = new AlertDialog.Builder(context);
    build.setItems(items, new DialogInterface.OnClickListener() 
        @Override
        public void onClick(DialogInterface dialog, int which) 
            //do stuff....
        
    ).create().show();

【讨论】:

您需要在创建之前构建 AlertDialog,然后再显示。不是建造者。 (c) Facebamm @Facebamm 这不是真的。 show() 两者兼而有之。 Calling this method is functionally identical to: AlertDialog dialog = builder.create(); dialog.show(); 直接来自 show() 方法的文档 没错,但有时我会遇到一些明显的用户界面错误。 (c) Facebamm 不,那不是真的。 show() 等同于 create().show(); /** * 使用提供给此构建器的参数创建一个 @link AlertDialog 并立即显示对话框。 *

* 调用此方法在功能上等同于: *

 * AlertDialog dialog = builder.create(); * 对话框.show(); * 
*/ public AlertDialog show() final AlertDialog dialog = create();对话框.show();返回对话框;
好的,我已经测试了一段时间,我说对不起,那是真的。 (c) Facebamm【参考方案6】:

这是使用自定义列表项显示自定义布局对话框的方法,可以根据您的要求进行自定义。

STEP - 1 创建对话框的布局即:-

R.layout.assignment_dialog_list_view

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_
    android:layout_
    android:background="@drawable/rectangle_round_corner_assignment_alert"
    android:orientation="vertical">
    <TextView
        android:id="@+id/tv_popup_title"
        android:layout_
        android:layout_
        android:layout_marginBottom="8dp"
        android:singleLine="true"
        android:paddingStart="4dp"
        android:text="View as:"
        android:textColor="#4f4f4f" />

    <ListView
        android:id="@+id/lv_assignment_users"
        android:layout_
        android:layout_
        android:layout_weight="1" />
</LinearLayout>

STEP - 2 根据您的业务逻辑创建自定义列表项布局

R.layout.item_assignment_dialog_list_layout

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_
    android:layout_
    android:gravity="center"
    android:padding="4dp"
    android:orientation="horizontal">
    <ImageView
        android:id="@+id/iv_user_profile_image"
        android:visibility="visible"
        android:layout_
        android:layout_ />
    <TextView
        android:id="@+id/tv_user_name"
        android:layout_
        android:layout_
        android:paddingTop="8dp"
        android:layout_marginStart="8dp"
        android:paddingBottom="8dp"
        android:textColor="#666666"
        android:textSize="18sp"
        tools:text="ABCD XYZ" />
</LinearLayout>

步骤 - 3 创建您自己选择的数据模型类

public class AssignmentUserModel 

private String userId;
private String userName;
private String userRole;
private Bitmap userProfileBitmap;

public AssignmentUserModel(String userId, String userName, String userRole, Bitmap userProfileBitmap) 
    this.userId = userId;
    this.userName = userName;
    this.userRole = userRole;
    this.userProfileBitmap = userProfileBitmap;



public String getUserId() 
    return userId;


public void setUserId(String userId) 
    this.userId = userId;


public String getUserName() 
    return userName;


public void setUserName(String userName) 
    this.userName = userName;


public String getUserRole() 
    return userRole;


public void setUserRole(String userRole) 
    this.userRole = userRole;


public Bitmap getUserProfileBitmap() 
    return userProfileBitmap;


public void setUserProfileBitmap(Bitmap userProfileBitmap) 
    this.userProfileBitmap = userProfileBitmap;



步骤 - 4 创建自定义适配器

public class UserListAdapter extends ArrayAdapter<AssignmentUserModel> 
private final Context context;
private final List<AssignmentUserModel> userList;
   
public UserListAdapter(@NonNull Context context, int resource, @NonNull List<AssignmentUserModel> objects) 
    super(context, resource, objects);
    userList = objects;
    this.context = context;
 

@SuppressLint("ViewHolder")
@NonNull
@Override
public View getView(int position, @Nullable View convertView, @NonNull ViewGroup parent) 
    LayoutInflater inflater = (LayoutInflater) context
            .getSystemService(Context.LAYOUT_INFLATER_SERVICE);
    View rowView = inflater.inflate(R.layout.item_assignment_dialog_list_layout, parent, false);
    ImageView profilePic = rowView.findViewById(R.id.iv_user_profile_image);
    TextView userName = rowView.findViewById(R.id.tv_user_name);
    AssignmentUserModel user = userList.get(position);

    userName.setText(user.getUserName());

    Bitmap bitmap = user.getUserProfileBitmap();

    profilePic.setImageDrawable(bitmap);

    return rowView;



STEP - 5 创建此函数并在此方法中提供上述数据模型的ArrayList

// Pass list of your model as arraylist
private void showCustomAlertDialogBoxForUserList(ArrayList<AssignmentUserModel> allUsersList) 
        final Dialog dialog = new Dialog(mActivity);
        dialog.setContentView(R.layout.assignment_dialog_list_view);
        if (dialog.getWindow() != null) 
            dialog.getWindow().setBackgroundDrawable(new ColorDrawable(Color.TRANSPARENT)); // this is optional
        
        ListView listView = dialog.findViewById(R.id.lv_assignment_users);
        TextView tv = dialog.findViewById(R.id.tv_popup_title);
        ArrayAdapter arrayAdapter = new UserListAdapter(context, R.layout.item_assignment_dialog_list_layout, allUsersList);
        listView.setAdapter(arrayAdapter);
        listView.setOnItemClickListener((adapterView, view, which, l) -> 
            Log.d(TAG, "showAssignmentsList: " + allUsersList.get(which).getUserId());
           // TODO : Listen to click callbacks at the position
        );
        dialog.show();
    

步骤 - 6 为对话框添加圆角背景

@drawable/rectangle_round_corner_assignment_alert

    <?xml version="1.0" encoding="UTF-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android">
    <solid android:color="#ffffffff" />
    <corners android:radius="16dp" />
    <padding
        android:bottom="16dp"
        android:left="16dp"
        android:right="16dp"
        android:top="16dp" />
</shape>

【讨论】:

【参考方案7】:

这太简单了

final CharSequence[] items = "Take Photo", "Choose from Library", "Cancel";

AlertDialog.Builder builder = new AlertDialog.Builder(MyProfile.this);

builder.setTitle("Add Photo!");
builder.setItems(items, new DialogInterface.OnClickListener() 
    @Override
    public void onClick(DialogInterface dialog, int item) 
        if (items[item].equals("Take Photo")) 
            getCapturesProfilePicFromCamera();
         else if (items[item].equals("Choose from Library")) 
            getProfilePicFromGallery();
         else if (items[item].equals("Cancel")) 
            dialog.dismiss();
        
    
);
builder.show();

【讨论】:

【参考方案8】:

作为初学者,我建议你通过http://www.mkyong.com/android/android-custom-dialog-example/

我将简要介绍它的基本功能

    为对话框和主 Activity 创建一个 XML 文件 在主activity中需要的地方创建一个android类的对象Dialog 基于 XML 文件添加自定义样式和文本 调用dialog.show()方法。

【讨论】:

【参考方案9】:

在 Kotlin 中:

fun showListDialog(context: Context)
    // setup alert builder
    val builder = AlertDialog.Builder(context)
    builder.setTitle("Choose an Item")

    // add list items
    val listItems = arrayOf("Item 0","Item 1","Item 2")
    builder.setItems(listItems)  dialog, which ->
        when (which) 
            0 ->
                Toast.makeText(context,"You Clicked Item 0",Toast.LENGTH_LONG).show()
                dialog.dismiss()
            
            1->
                Toast.makeText(context,"You Clicked Item 1",Toast.LENGTH_LONG).show()
                dialog.dismiss()
            
            2->
                Toast.makeText(context,"You Clicked Item 2",Toast.LENGTH_LONG).show()
                dialog.dismiss()
            
        
    

    // create & show alert dialog
    val dialog = builder.create()
    dialog.show()

【讨论】:

为您的答案添加一些描述。 什么样的描述?【参考方案10】:

您实际上可以像这样使用警报对话框创建一个简单的数组。

 val sexArray = arrayOf("Male", "Female")
 val selectedPosition = 0

 AlertDialog.Builder(requireContext())
    .setSingleChoiceItems(sexArray, 0)  dialog, position ->
        val selectedSex = sexArray[position]
    .show()

【讨论】:

【参考方案11】:

在AlertDialog中创建EditText单元后调用一个方法,用于一般用途不是更流畅吗?

public static void EditTextListPicker(final Activity activity, final EditText EditTextItem, final String SelectTitle, final String[] SelectList) 
    EditTextItem.setOnLongClickListener(new View.OnLongClickListener() 
        @Override
        public boolean onLongClick(View v) 
            AlertDialog.Builder builder = new AlertDialog.Builder(activity);
            builder.setTitle(SelectTitle);
            builder.setItems(SelectList, new DialogInterface.OnClickListener() 
                public void onClick(DialogInterface dialogInterface, int item) 
                    EditTextItem.setText(SelectList[item]);
                
            );
            builder.create().show();
            return false;
        
    );

【讨论】:

【参考方案12】:
private void AlertDialogue(final List<Animals> animals) 
 final AlertDialog.Builder alertDialog = new AlertDialog.Builder(AdminActivity.this);
 alertDialog.setTitle("Filter by tag");

 final String[] animalsArray = new String[animals.size()];

 for (int i = 0; i < tags.size(); i++) 
  animalsArray[i] = tags.get(i).getanimal();

 

 final int checkedItem = 0;
 alertDialog.setSingleChoiceItems(animalsArray, checkedItem, new DialogInterface.OnClickListener() 
  @Override
  public void onClick(DialogInterface dialog, int which) 

   Log.e(TAG, "onClick: " + animalsArray[which]);

  
 );


 AlertDialog alert = alertDialog.create();
 alert.setCanceledOnTouchOutside(false);
 alert.show();


【讨论】:

虽然此代码可能会回答问题,但提供有关它如何和/或为什么解决问题的额外上下文将提高​​答案的长期价值。

以上是关于如何在 Android 警报对话框中显示列表视图?的主要内容,如果未能解决你的问题,请参考以下文章

单击列表视图时如何显示警报对话框

使用警报对话框android的颜色ListView项目

在android编程中选中复选框时,使用警报框显示从给定的自定义列表视图中删除行的代码

在 Android 中,如何像在谷歌地图中一样显示带有方角的警报对话框?

Android 在右下角显示警报对话框,并在显示时使用活动

如何在正在运行的线程中显示警报对话框?