一个二维迭代器显然是一个好的开始。我希望您可以不费力气地自己完成其余的工作。
在您的场景中找到第一个零将涉及遍历每个零Direction
并在该方向上全面迭代,直到迭代结束或您找到零。
进行螺旋搜索将涉及在每个方向上启动一个迭代器并执行一个步骤并依次检查每个方向,直到一个返回可以找到零的点。
public class TwoDIteratorTest {
// An ubiquitous Point class
static class Point {
final int x;
final int y;
public Point(int x, int y) {
this.x = x;
this.y = y;
}
@Override
public String toString() {
return "{" + x + "," + y + "}";
}
}
// All possible directions.
enum Direction {
North(0, 1),
NorthEast(1, 1),
East(1, 0),
SouthEast(1, -1),
South(0, -1),
SouthWest(-1, -1),
West(-1, 0),
NorthWest(-1, 1);
private final int dx;
private final int dy;
Direction(int dx, int dy) {
this.dx = dx;
this.dy = dy;
}
// Step that way
public Point step(Point p) {
return new Point(p.x + dx, p.y + dy);
}
}
static class TwoDIterator implements Iterable<Point> {
// Where we are now
Point i;
// Direction to move in.
private final Direction step;
// Limits.
private final Point min;
private final Point max;
// Next position to go to.
Point next = null;
// Normal constructor.
public TwoDIterator(Point start, Direction step, Point min, Point max) {
i = next = start;
this.step = step;
this.min = min;
this.max = max;
}
// Some simplified constructors
public TwoDIterator(int x, int y, Direction step, Point min, Point max) {
this(new Point(x, y), step, min, max);
}
public TwoDIterator(int x, int y, Direction step, int minx, int miny, int maxx, int maxy) {
this(new Point(x, y), step, new Point(minx, miny), new Point(maxx, maxy));
}
// The iterator.
@Override
public Iterator<Point> iterator() {
return new Iterator<Point>() {
// hasNext calculates next if necessary and checks it against the stabliched limits.
@Override
public boolean hasNext() {
if (next == null) {
// Step one.
next = step.step(i);
// Stop at limits.
if (next.x < min.x
|| next.x > max.x
|| next.y < min.y || next.y > max.y) {
next = null;
}
}
return next != null;
}
@Override
public Point next() {
if (hasNext()) {
// Make our move.
i = next;
next = null;
return i;
}
return null;
}
@Override
public void remove() {
throw new UnsupportedOperationException("Not supported.");
}
};
}
}
public void test() {
// Test all directions.
for (Direction d : Direction.values()) {
System.out.print(d + " - ");
for (Point p : new TwoDIterator(0, 0, d, -5, -5, 5, 5)) {
System.out.print(p + ",");
}
System.out.println();
}
}
public static void main(String[] args) throws InterruptedException {
new TwoDIteratorTest().test();
}
}