如何检查5个随机数是否相同
本文关键字:随机数 是否 5个 何检查 检查 | 更新日期: 2023-09-27 18:12:26
我不知道如何测试5个随机生成的数字是否相同。到目前为止,我所拥有的只是它们的创造。
dice1 = rand.Next(1,7);
dice2 = rand.Next(1,7);
dice3 = rand.Next(1,7);
dice4 = rand.Next(1,7);
dice5 = rand.Next(1,7);
你可以这样做来生成5个随机骰子:
var dice = (from i in Enumerable.Range(0, 5) select rand.Next(1, 7)).ToArray();
或者用流利的语法:
var dice = Enumerable.Range(0, 5).Select(i => rand.Next(1, 7)).ToArray();
这是为了检查他们的平等性:
var first = dice.First(); // or dice[0];
var areSame = dice.Skip(1).All(d => d == first);
if(dice1 == dice2 && dice2 == dice3 && dice3 == dice4 && dice4 == dice5) {
// scream at the random number generator
} else {
}
编辑完毕,我的第一个答案就被大脑放屁了。
如果很容易的话,你可以做一些嵌套:
if ((dice1 == dice2)&&(dice2 == dice3)&&(dice3 == dice4)&&(dice4 == dice5))
这应该工作
if(dice1 == dice2)
if(dice2 == dice3)
if(dice3 == dice4)
if(dice4 == dice5)
//do something...
这可能是一种更漂亮的方式,但这将适用于
var result = new int[7];
result[dice1]++;
result[dice2]++;
result[dice3]++;
result[dice4]++;
result[dice5]++;
results.Any(x=>x==5);
将它们放入HashSet
中,然后检查大小是否相同
var dice = Enumerable.Range(0, 5).Select(i => rand.Next(1, 7)).ToArray();
var set = new HashSet<int>(dice);
bool areSame = set.Count == 1; //1 unique value means they are all the same.
您可以使用这样的方法:
public static bool AllEqual(params int[] values)
{
foreach (var value in values)
if (values[0] != value)
return false;
return true;
}
并像一样使用它
bool allSame = AllEqual(dice1, dice2, dice3, dice4, dice5);
但是,正如p.s.w.g所展示的那样,在一个可枚举元素中生成所有骰子可能会更好。
首先,我建议您将骰子放入可枚举的东西中。P.S.W.G.发布了一个非常优雅的方法来做到这一点,我有点嫉妒我不会想到它。这就是我的想法:
var dice = new List<int>();
for (int i = 0; i < 5; i++)
{
dice.Add(rand.Next(1, 7));
}
然后,您可以使用简单的评估来确定集合中的所有数字是否相同。我喜欢这个:
// if all the dice rolled the same, do something
if (dice.Distinct().Count() == 1)
{
}