0

我正在研究随机数生成器,并找到了一个伪代码:

function Noise1(integer x)
    x = (x<<13) ^ x;
    return ( 1.0 - ( (x * (x * x * 15731 + 789221) + 1376312589) & 7fffffff) / 1073741824.0);    
end function

我想把它转换成 C#,但是我得到了各种各样的错误,比如无效的表达式和预期的“)”。这是我到目前为止所拥有的,我该如何转换它?

double Noise(int x) {
    x = (x<<13) ^ x;
    return ( 1.0 - ((x * (x * x * 15731 + 789221) + 1376312589) & 7fffffff) / 1073741824.0);
}

谢谢。

4

3 回答 3

5

我不知道您从什么语言开始,但在 C# 中,十六进制常量看起来应该有所不同:更改7fffffff0x7fffffff.

于 2012-05-31T17:01:22.857 回答
3

您可以使用 .Net Framework 随机对象

Random rng = new Random();
return rng.Next(10)

但我强烈建议您阅读 Jon Skeet 关于随机生成器的这篇文章

http://cshapindepth.com/Articles/Chapter12/Random.aspx

于 2012-05-31T17:03:41.053 回答
1

编辑:测试并报告了一个非空序列

  1. 将您的十六进制常量转换为使用“0x”前缀

  2. 小心转换 int <-> double

  3. 拆分表达式以使其更具可读性

这是代码和单元测试(虽然结果很奇怪):

using System;

namespace Test
{
    public class Test
    {
        public static Int64 Noise(Int64 x) {
             Int64 y = (Int64) ( (x << 13) ^ x);

             Console.WriteLine(y.ToString());

             Int64 t = (y * (y * y * 15731 + 789221) + 1376312589);

             Console.WriteLine(t.ToString());

             Int64 c = t < 0 ? -t : t; //( ((Int32)t) & 0x7fffffff);

             Console.WriteLine("c = " + c.ToString());

             double b = ((double)c) / 1073741824.0;

             Console.WriteLine("b = " + b.ToString());

             double t2 = ( 1.0 - b);
             return (Int64)t2;
        }

        static void Main()
        {

           Int64 Seed = 1234;

           for(int i = 0 ; i < 3 ; i++)
           {
               Seed = Noise(Seed);
               Console.WriteLine(Seed.ToString());
           }
        }
    }
}
于 2012-05-31T17:03:49.743 回答