使用加密服务提供程序 (CSP) 提供的实现来实现加密随机数生成器 (RNG):RNGCryptoServiceProvider类,
命名空间:System.Security.Cryptography
MSDN的例子:
using System;
using System.IO;
using System.Text;
using System.Security.Cryptography;
class RNGCSP
{
// Main method.
public static void Main()
{
// Roll the dice 30 times and display
// the results to the console.
for(int x = 0; x <= 30; x++)
{
Console.Write(RollDice(255).ToString("0000") + " ");
if((x+1) % 10 == 0)
Console.WriteLine();
}
Console.WriteLine();
}
// This method simulates a roll of the dice. The input parameter is the
// number of sides of the dice.
public static int RollDice(int NumSides)
{
// Create a byte array to hold the random value.
byte[] randomNumber = new byte[1];
// Create a new instance of the RNGCryptoServiceProvider.
RNGCryptoServiceProvider Gen = new RNGCryptoServiceProvider();
// Fill the array with a random value.
Gen.GetBytes(randomNumber);
// Convert the byte to an integer value to make the modulus operation easier.
int rand = Convert.ToInt32(randomNumber[0]);
// Return the random number mod the number
// of sides. The possible values are zero-
// based, so we add one.
return rand % NumSides + 1;
}
}