我正在开发一个需要在 parallel.for 循环中使用随机数的 C# 项目。为此,我使用 Jon Skeet 的 MiscUtil 中的 StaticRandom 类。
对于测试,我希望能够重现我的结果。因此,我尝试播种底层 System.Random 以在每次测试运行时获得相同的序列。然而,即使有了种子,我每次都会得到不同的结果。在常规的 for 循环中,每次都输出相同的序列。下面有重现我的问题的代码(您必须使用机器的输出更新预期的序列)。
有没有办法播种 Random 以便我可以在 parallel.for 循环中获得可重现的序列?
[TestMethod]
public void MultiThreadedSeededRandom()
{
var actual = new ConcurrentBag<int>();
Parallel.For(0, 10, i =>
{
actual.Add(StaticRandom.Next(1000));
});
WriteActualToOutput(actual);
var expected = new int[] { 743, 51, 847, 682, 368, 959, 245, 849, 192, 440, };
Assert.IsTrue(AreEqual(expected, actual.ToArray()));
}
public static bool AreEqual<T>(T[] expected, T[] actual)
{
if (expected.Length != actual.Length)
return false;
for (int i = 0; i < expected.Length; i++)
{
if (!expected[i].Equals(actual[i]))
return false;
}
return true;
}
private static void WriteActualToOutput(ConcurrentBag<int> acual)
{
var result = string.Empty;
result += "new int[] {";
foreach (var value in acual)
{
result += value.ToString() + ",";
}
result += "};";
Trace.WriteLine(result);
}
public static class StaticRandom
{
private static Random random = new Random(1231241);
private static object myLock = new object();
public static int Next(int max)
{
object obj;
Monitor.Enter(obj = StaticRandom.myLock);
int result;
try
{
result = StaticRandom.random.Next(max);
}
finally
{
Monitor.Exit(obj);
}
return result;
}
}