我有一个2d数组按钮[5,5]所有蓝色...如何在数组中随机生成5个红色按钮...?
int Rows = 5;
int Cols = 5;
Button[] buttons = new Button[Rows * Cols];
int index = 0;
for (int i = 0; i < Rows; i++)
{
for (int j = 0; j < Cols; j++)
{
Button b = new Button();
b.Size = new Size(40, 55);
b.Location = new Point(55 + j * 45, 55 + i * 55);
b.BackColor = Color.Blue;
buttons[index++] = b;
}
}
panel1.Controls.AddRange(buttons);
答案 0 :(得分:2)
这很简单
int cnt = 0;
Random rnd = new Random();
while (cnt < 5)
{
int idx = rnd.Next(Rows * Cols);
if (buttons[idx].BackColor == Color.Blue)
{
buttons[idx].BackColor = Color.Red;
cnt++;
}
}
您将使用Random class选择0到24之间的索引值并使用该索引选择一个蓝色按钮,如果所选按钮具有蓝色背景,则将其更改为红色
顺便说一句,这是有效的,因为你这里没有二维数组 如果你的数组被声明为像这里的二维数组
Button[,] buttons = new Button[Rows, Cols];
然后在每个循环中需要两个随机值,一个用于行,一个用于列
int cnt = 0;
Random rnd = new Random();
while (cnt < 5)
{
int row = rnd.Next(Rows);
int col = rnd.Next(Cols);
if (buttons[row, col].BackColor == Color.Blue)
{
buttons[row, col].BackColor = Color.Red;
cnt++;
}
}