如何实现线程安全的随机数

Ben*_*Ben 2 c# random multithreading cryptography .net-core

尝试找到并理解在 .NET Core 2.x 或更高版本中实现线程安全数字生成器的最佳方法

首先我发现了这个 - https://web.archive.org/web/20160326010328/http://blogs.msdn.com/b/pfxteam/archive/2009/02/19/9434171.aspx

读完后,我觉得有几个“好”的方法 -

  1. ThreadStatic Random实例,用全局随机实例来生成种子
  2. ThreadStatic Random 实例,使用全局 RNGCryptoServiceProvider 来生成种子

如果需要强大的加密随机性,基本上您会选择后者。

经过一些额外的研究,我发现由于 .NET Core 2.x System.Random 类被修改,因此默认种子生成不再主要依赖于系统计时器。(https://blogs.siliconorchid.com/post/coding-inspiration/randomness-in-dotnet

问题 - 这对线程安全随机类的实现有何影响?

引用第一个链接 Iv'e 共享代码解决方案 -

public static class RandomGen2
{
    private static Random _global = new Random();
    [ThreadStatic]
    private static Random _local;

    public static int Next()
    {
        Random inst = _local;
        if (inst == null)
        {
            int seed;
            lock (_global) seed = _global.Next();
            _local = inst = new Random(seed);
        }
        return inst.Next();
    }
}

Run Code Online (Sandbox Code Playgroud)

由于 dotnet core 2.x 调整是否需要全局锁定种子生成器?或者一个基本的 ThreadStatic 随机实例就足够了?例如 -

    public static class ThreadSafeRandom
    {
        [ThreadStatic]
        private static Random _local;

        public static int Next()
        {
            Random inst = _local;
            if (inst == null)
            {
                _local = inst = new Random();
            }
            return inst.Next();
        }
    }
Run Code Online (Sandbox Code Playgroud)

Eni*_*ity 12

从 .NET 6 开始,您可以用来Random.Shared获取 .NET 的线程安全实例Random

文件是这样说的:

提供可以从任何线程同时使用的线程安全的 Random 实例。

https://learn.microsoft.com/en-us/dotnet/api/system.random.shared?view=net-6.0

没有必要再花哨了。

要获得随机整数,您只需要执行以下操作:

int number = Random.Shared.Next();
Run Code Online (Sandbox Code Playgroud)

如果您想要密码学上的强随机性,那么 Eric LippertBetterRandom就是您的最佳选择:

public static class BetterRandom
{
    private static readonly ThreadLocal<System.Security.Cryptography.RandomNumberGenerator> crng = new ThreadLocal<System.Security.Cryptography.RandomNumberGenerator>(System.Security.Cryptography.RandomNumberGenerator.Create);
    private static readonly ThreadLocal<byte[]> bytes = new ThreadLocal<byte[]>(() => new byte[sizeof(int)]);
    public static int NextInt()
    {
        crng.Value.GetBytes(bytes.Value);
        return BitConverter.ToInt32(bytes.Value, 0) & int.MaxValue;
    }
    public static double NextDouble()
    {
        while (true)
        {
            long x = NextInt() & 0x001FFFFF;
            x <<= 31;
            x |= (long)NextInt();
            double n = x;
            const double d = 1L << 52;
            double q = n / d;
            if (q != 1.0)
                return q;
        }
    }
}
Run Code Online (Sandbox Code Playgroud)

从这里开始阅读更多信息:https://ericlippert.com/2019/01/31/fixing-random-part-1/