I needed to get a random generator that would take in two coordinates as a seed and output a random number, always the same for the same coordinates. So, inspired by Jon Skeet's GetHashCode implementation, here's what I've done:
public class SimpleRandom2D
{
public SimpleRandom2D(int _Seed)
{
Seed = _Seed;
}
public SimpleRandom2D()
{
Seed = new Random().Next();
}
readonly public int Seed;
public float Sample(float _X, float _Y)
{
int thisSeed;
unchecked
{
thisSeed = (int) 2166136261;
thisSeed = thisSeed * 16777619 ^ _X.GetHashCode();
thisSeed = thisSeed * 16777619 ^ _Y.GetHashCode();
thisSeed = thisSeed * 16777619 ^ Seed;
}
return 2f * (float) new Random(thisSeed).NextDouble() - 1f;
}
}
I know that creating a new Random is very far from optimal, but I wanted to get this correct before I would get it fast. However, it turned out that it wasn't really correct: it would sometimes return the same values for the coordinates that have the same x and whose y is ±1. This test consistently fails:
[Test]
[Repeat (20)]
public void Sample_IntegerFloats_WithSameXNeighbourY_NotSame()
{
var random = new Random();
var simpleRandom2d = new SimpleRandom2D();
float y = random.Next(); // .Next() returns an integer, which is implicitly converted to a float — hence IntegerFloats in the test title
float x = random.Next();
float value1 = simpleRandom2d.Sample(x, y);
float value2 = simpleRandom2d.Sample(x, y + 1);
Assert.That(value1, Is.Not.EqualTo(value2));
}
On the contrary, this test doesn't fail:
[Test]
[Repeat (20)]
public void Sample_IntegerFloats_WithSameX_NotSame()
{
var random = new Random();
var simpleRandom2d = new SimpleRandom2D();
float x = random.Next();
float value1 = simpleRandom2d.Sample(x, random.Next());
float value2 = simpleRandom2d.Sample(x, random.Next());
Assert.That(value1, Is.Not.EqualTo(value2));
}
Why does it happen and how can I fix it?