我有一个Rectangle类,该类具有一种RandomPoint方法,可在其中返回一个随机点。看起来像:

class Rectangle {
    int W,H;
    Random rnd = new Random();

    public Point RandomPoint() {
        return new Point(rnd.NextDouble() * W, rnd.NextDouble() * H);
    }
}

但我希望它是一个IEnumerable<Point>,以便我可以在上面使用LINQ,例如rect.RandomPoint().Take(10)

如何简洁地实现它?

最佳答案

您可以使用迭代器块:

class Rectangle
{
    public int Width { get; private set; }
    public int Height { get; private set; }

    public Rectangle(int width, int height)
    {
        this.Width = width;
        this.Height = height;
    }

    public IEnumerable<Point> RandomPoints(Random rnd)
    {
        while (true)
        {
            yield return new Point(rnd.NextDouble() * Width,
                                   rnd.NextDouble() * Height);
        }
    }
}

关于c# - 自定义随机枚举?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13915676/

10-12 19:51