0

我正在创建一个应用程序,用户可以从比萨饼和饮料中进行选择。我使用数组列表从使用复选框的表单中选择比萨饼;如果选中所有 5 个复选框然后从数组中获取所有数据,我需要做什么

这是课堂上的代码

namespace order
{
    class Menu
    {
        string[] pizza = {"Cheese and Ham", "Ham and Pineapple", "Vegetarian", "MeatFeast", "Seafood" };
        double[] price = {3.50, 4.20, 5.20, 5.80, 5.60 };

        public string GetMenuItem(int select)
        {
            string choice = pizza[select];
            return choice;
        }


这是表格代码

namespace order

{
    public partial class Form1 : Form
    {

        Menu menuMaker = new Menu();
        public Form1()
        {
            InitializeComponent();

        }

        private void button1_Click(object sender, EventArgs e)
        {


            if (checkBox1.Checked)
            {
               label1.Text = menuMaker.GetMenuItem(0);
            }


        }
    }

如果选中一个,则表单会显示该结果,但如果我想选中所有复选框,则需要将它们全部显示。

4

2 回答 2

1

解决此问题的一种方法是从 a 切换LabelListView。然后,您可以添加已选择的任意数量的项目。如果他们选择 3,则添加 3,如果他们选择全部 5,则添加全部 5。

使用列表视图的示例 -

public partial class Form1 : Form
{
    Menu menuMaker = new Menu();
    public Form1()
    {
        InitializeComponent();
    }

    private void button1_Click(object sender, EventArgs e)
    {
        listView.Clear();

        if (checkBox1.Checked)
        {
           listView.Items.Add(menuMaker.GetMenuItem(0));
        }
        if (checkBox2.Checked)
        {
           listView.Items.Add(menuMaker.GetMenuItem(1));
        }
    }
}

作为旁白。您可能需要考虑为包含价格的比萨创建一个助手类。就像是 -

class MyMenuItem
{
    public string Name { get; set; }
    public double Price { get; set; }
}

比你可以只保存一组菜单项,并且你可以在一个类中同时拥有价格和名称。

进一步的建议 - 您可能需要考虑将您的Menu班级重命名为,MyMenu以免与System.Windows.Forms.Menu班级冲突。

于 2013-05-16T17:45:18.740 回答
0

更好但也不好,您必须将 panel1 添加到表单中:

    public Form1()
    {
        InitializeComponent();
        list = new List<CheckBox>();
    }
    List<CheckBox> list;
    Menu menu;
    private void Form1_Load(object sender, EventArgs e)
    {
        menu = new Menu();
        int i = 10;
        foreach(var item in menu.pizza){
            CheckBox checkBox = new CheckBox();
            checkBox.Text = item;
            checkBox.Location = new System.Drawing.Point(10, i);
            i = i + 30;
            list.Add(checkBox);
            panel1.Controls.Add(checkBox);
        }
    }

    private void button1_Click(object sender, EventArgs e)
    {
        for (int i = 0; i < list.Count;i++ )
        {
            if (list[i].Checked)
            {
                label1.Text += menu.GetMenuItem(i);
            }
        }
    }
}

并更改菜单:

class Menu
{
    public readonly string[] pizza = { "Cheese and Ham", "Ham and Pineapple", "Vegetarian", "MeatFeast", "Seafood" };
    public readonly double[] price = { 3.50, 4.20, 5.20, 5.80, 5.60 };

    public string GetMenuItem(int select)
    {
        string choice = pizza[select];
        return choice;
    }
}
于 2013-05-16T18:01:31.567 回答