如何清除System.Random种子?

时间:2019-02-01 03:02:10

标签: c# unity3d

我正在使用System.Random函数创建/生成随机数的种子,然后使用Next()处理以下数字,但是与c ++一样,“ rng”也为我提供了相同的随机数结果每次。但是在c ++中,通过清除c ++中的种子解决了问题,所以我想知道在c#中是否还可以?

1 个答案:

答案 0 :(得分:5)

您很可能每次都使用List<String>的新实例。您不应重复实例化Random

new Random(seed_here)

更新

这是一个更复杂的示例:

Random r = new Random(); //Do this once - keep it as a (static if needed) class field 

for (int i = 0; i < 10; i++) {
     Console.WriteLine($"{r.Next()}");
}

输出

class MyClass
{
    //You should use a better seed, 1234 is here just for the example
    Random r1 = new Random(1234); // You may even make it `static readonly`

    public void BadMethod()
    {
        // new Random everytime we call the method = bad (in most cases)
        Random r2 = new Random(1234); 

        for (int i = 0; i < 3; i++)
        {
            Console.WriteLine($"{i + 1}. {r2.Next()}");
        }
    }

    public void GoodMethod()
    {

        for (int i = 0; i < 3; i++)
        {
            Console.WriteLine($"{i+1}. {r1.Next()}");
        }
    }
}
class Program
{
    static void Main(string[] args)
    {
        var m = new MyClass();

        m.BadMethod();
        m.BadMethod();
        m.GoodMethod();
        m.GoodMethod();

    }
}