将多维数组的 n 个随机元素设置为一个值
本文关键字:一个 设置 随机 数组 元素 | 更新日期: 2023-09-27 17:56:20
在整数的二维数组中(例如 int[3,3]
),由所有0
值组成,我想尽可能高效地将数组n
随机元素设置为值1
。我遇到的问题是,数组中的第一个元素比数组后面的其他元素更有可能具有 1
的值。
这是我的代码。在下面的示例中,我尝试将 3x3 数组的 3 个随机选择的元素设置为 1。
int sum = 0;
private void MakeMatrix()
{
for (int i = 0; i < 3; i++)
{
for (int k = 0; k < 3; k++)
{
int n = _r.Next(2);
if (n != 1 && sum < 3)
{
matrix[i, k] = 1;
sum++;
}
else
{
matrix[i, k] = 0;
}
}
}
}
您可以尝试如下操作。 首先将矩阵初始化为所有 0 值,然后运行下面的代码。 它将矩阵中的三个随机值设置为 1。
int count = 0;
while (count < 3)
{
int x = r.Next(0, 3);
int y = r.Next(0, 3);
if (matrix[x, y] != 1)
{
matrix[x, y] = 1;
count++;
}
}
static int sum = 0;
private static readonly int[,] matrix = new int[3,3];
private static readonly Random _r = new Random();
private static void MakeMatrix()
{
//by default all the element in the matrix will be zero, so setting to zero is not a issue
// now we need to fill 3 random places with numbers between 1-3 i guess ?
//an array of int[3] to remember which places are already used for random num
int[] used = new int[3];
int pos;
for (int i = 0; i < 3; i++)
{
pos = _r.Next(0, 8);
var x = Array.IndexOf(used, pos);
while (x != -1)
{
pos = _r.Next(0, 8);
}
used[i] = pos;
matrix[pos/3, pos%3] = _r.Next(1, 3);
}
}