我有以下功能:
//Function to get random number
public static int RandomNumber(int min, int max)
{
Random random = new Random();
return random.Next(min, max);
}
我怎么称呼它:
byte[] mac = new byte[6];
for (int x = 0; x < 6; ++x)
mac[x] = (byte)(Misc.RandomNumber((int)0xFFFF, (int)0xFFFFFF) % 256);
如果我在运行时使用调试器单步执行该循环,我会得到不同的值(这是我想要的)。然而,如果我在代码下面两行放置断点,则mac数组的所有成员都具有相等的值。
为什么会这样?
每次执行时
Random random = new Random (15);
执行数百万次并不重要,您将始终使用相同的种子。
如果您使用
Random random = new Random ();
如果黑客猜到了种子,并且你的算法与系统的安全性有关,你会得到不同的随机数序列——你的算法被破坏了。如果你处决了骡子。在该构造函数中,种子由系统时钟指定,如果在极短的时间(毫秒)内创建了多个实例,则它们可能具有相同的种子。
如果你需要安全的随机数,你必须使用这个类
System.Security.Cryptography.RGCryptoServiceProvider
public static int Next(int min, int max)
{
if(min >= max)
{
throw new ArgumentException("Min value is greater or equals than Max value.");
}
byte[] intBytes = new byte[4];
using(RNGCryptoServiceProvider rng = new RNGCryptoServiceProvider())
{
rng.GetNonZeroBytes(intBytes);
}
return min + Math.Abs(BitConverter.ToInt32(intBytes, 0)) % (max - min + 1);
}
用法:
int randomNumber = Next(1,100);