4

我有一个类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).

如何简洁地实现它?

4

3 回答 3

12

您可以使用迭代器块:

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);
        }
    }
}
于 2012-12-17T14:08:39.740 回答
7
IEnumerable<Point> RandomPoint(int W, int H)
{
    Random rnd = new Random();
    while (true)
        yield return new Point(rnd.Next(0,W+1),rnd.Next(0,H+1));
}
于 2012-12-17T14:08:41.263 回答
1

yield可能是一种选择;

public IEnumerable<Point> RandomPoint() {
    while (true)
    {
        yield return new Point(rnd.NextDouble() * W, rnd.NextDouble() * H);
    }
于 2012-12-17T14:09:17.037 回答