在运行时在方块中添加CheckBoxes以在C#中循环

时间:2016-11-17 18:05:56

标签: c# for-loop checkbox runtime nested-loops

我想在x * y矩阵中动态添加Checkbox。 我想到的最简单的方法是启动一个以 O(n²)为依据的for循环。 我有2个TextBox,它们用于矩阵的宽度和高度。 在我的例子中,我做了10x10;当我按下按钮时,它只创建一个复选框。 我首先尝试直接将Checkbox添加到面板,但我不知何故得到了NullReferenceException。现在我在一个填充for循环的List上,然后在foreach循环中读出。

任何帮助都将不胜感激。

提前致谢

m0ddixx

我的尝试:

namespace LED_Matrix_Control
{
public partial class Form1 : Form
{
    private LedMatrix ledMatrix;
    public Form1()
    {
        InitializeComponent();
    }

    private void button1_Click(object sender, EventArgs e)
    {
        int width= Convert.ToInt32(breiteFeld.Text);
        int height = Convert.ToInt32(hoeheFeld.Text);
        List<CheckBox> ledchecks = new List<CheckBox>();
        ledMatrix = new LedMatrix(breite, hoehe);
        for(int x = 0; x < breite; x++)
        {
            for(int y = 0; y < hoehe; y++)
            {
                ledchecks.Add(addCheckBox(x, y));
            }
        }
        foreach(CheckBox finalLedChk in ledchecks)
        {
            panel1.Controls.Add(finalLedChk);
        }
    }
    private CheckBox addCheckBox(int x, int y)
    {
        CheckBox ledcheck = new CheckBox();
        ledcheck.Location = new Point(x, y);
        return ledcheck;
    }
}
}

1 个答案:

答案 0 :(得分:0)

如果你的面板足够大以容纳所有控件,那么你只有一个简单的问题。您将所有创建的复选框大致堆叠在同一位置。

复选框可能是最小的控件(与radiobutton一起),但不要忘记它们有一个尺寸,如果你想看到它们,你应该把它们放在不同的位置

您的代码不需要两个循环。你可以写这样的东西

    for(int x = 0; x < breite; x++)
    {
        for(int y = 0; y < hoehe; y++)
        {
            CheckBox ledcheck = new CheckBox();
            ledcheck.Location = new Point(x * 20, y * 20);
            ledcheck.Size = new Size(15,15);
            panel1.Controls.Add(ledcheck);
        }
    }

还要考虑探索TableLayoutPanel的使用。此控件提供某种形式的网格,以帮助您自动定位复选框。

例如

Form f = new Form();
TableLayoutPanel tlp = new TableLayoutPanel();
tlp.RowCount = 5;  // <= this should come from user input 
tlp.ColumnCount = 5; // <= this should come from user input 

tlp.Dock = DockStyle.Fill;

for (int x = 0; x < 5; x++)
{
    for (int y = 0; y < 5; y++)
    {
        CheckBox ledcheck = new CheckBox();
        // No need to position the checkboxes.....
        // ledcheck.Location = new Point(x * 20, y * 20);
        ledcheck.Size = new Size(15,15);
        tlp.Controls.Add(ledcheck);
    }
}
f.Controls.Add(tlp);
f.Show();