我正在尝试根据 C# 中的种子生成一个数字。唯一的问题是种子太大而不能成为 int32。有没有办法可以使用长种子?
是的,种子必须很长。
我正在尝试根据 C# 中的种子生成一个数字。唯一的问题是种子太大而不能成为 int32。有没有办法可以使用长种子?
是的,种子必须很长。
这是我从 Java SpecificationJava.Util.Random
移植的 C# 版本。
最好的办法是编写一个 Java 程序来生成大量数字并检查此 C# 版本是否生成相同的数字。
public sealed class JavaRng
{
public JavaRng(long seed)
{
_seed = (seed ^ LARGE_PRIME) & ((1L << 48) - 1);
}
public int NextInt(int n)
{
if (n <= 0)
throw new ArgumentOutOfRangeException("n", n, "n must be positive");
if ((n & -n) == n) // i.e., n is a power of 2
return (int)((n * (long)next(31)) >> 31);
int bits, val;
do
{
bits = next(31);
val = bits % n;
} while (bits - val + (n-1) < 0);
return val;
}
private int next(int bits)
{
_seed = (_seed*LARGE_PRIME + SMALL_PRIME) & ((1L << 48) - 1);
return (int) (((uint)_seed) >> (48 - bits));
}
private long _seed;
private const long LARGE_PRIME = 0x5DEECE66DL;
private const long SMALL_PRIME = 0xBL;
}
我会去找@Dyppl在这里提供的答案:远程随机数,是这样吗?
将此函数放在需要生成随机数的代码可以访问的位置:
long LongRandom(long min, long max, Random rand)
{
byte[] buf = new byte[8];
rand.NextBytes(buf);
long longRand = BitConverter.ToInt64(buf, 0);
return (Math.Abs(longRand % (max - min)) + min);
}
然后像这样调用函数:
long r = LongRandom(100000000000000000, 100000000000000050, new Random());