I have the following classes:
public class Rectangle
{
public int width, height;
public Point start;
public Rectangle(Point start, int width, int height)
{
this.start = start;
this.width = width;
this.height = height;
}
}
public class Point
{
public int x, y;
public Point(int x, int y)
{
this.x = x;
this.y = y;
}
}
I want to make a method of the Rectangle class such that a Java 8 Stream of type Point is returned where it would stream index locations inside the rectangle. Ex.
// This is inside the rectangle class.
public Stream<Point> stream(int hstep, int vstep)
{
// if the rectangle started at 0,0
// and had a width and height of 100
// and hstep and vstep were both 1
// then the returned stream would be
// 0,0 -> 1,0 -> 2,0 -> ... -> 100,0 -> 0,1 -> 1,1 -> ...
// If vstep was 5 and h step was 25 it would return
// 0,0 -> 25,0 -> 50,0 -> 75,0 -> 100,0 -> 0,5 -> 25,5 -> ...
return ...
}
I've used IntStream a lot, map, filter, etc but this is much more complicated then anything I've ever tried. I have no idea how I would do something like that. Can someone steer me int he right direction?
You can use a nested IntStream to generate each Point, then flatten the resulting stream:
public Stream<Point> stream(int hstep, int vstep) {
return IntStream.range(0, height / vstep)
.mapToObj(y -> IntStream.range(0, width / hstep)
.mapToObj(x -> new Point(start.x + x * hstep, start.y + y * vstep)))
.flatMap(Function.identity());
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With