-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathPathCrossing.java
46 lines (41 loc) · 1.29 KB
/
PathCrossing.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
import java.util.HashSet;
import java.util.Objects;
import java.util.Set;
public class PathCrossing {
public boolean isPathCrossing(String path) {
Set<Point> visitedPoints = new HashSet<>();
visitedPoints.add(new Point(0, 0));
for (int index = 0, x = 0, y = 0 ; index < path.length() ; index++) {
switch (path.charAt(index)) {
case 'N' -> y++;
case 'E' -> x++;
case 'S' -> y--;
case 'W' -> x--;
}
Point newPosition = new Point(x, y);
if (visitedPoints.contains(newPosition)) return true;
visitedPoints.add(newPosition);
}
return false;
}
private static final class Point {
private final int x;
private final int y;
private Point(int x, int y) {
this.x = x;
this.y = y;
}
@Override
public boolean equals(Object obj) {
if (obj == this) return true;
if (obj == null || obj.getClass() != this.getClass()) return false;
var that = (Point) obj;
return this.x == that.x &&
this.y == that.y;
}
@Override
public int hashCode() {
return Objects.hash(x, y);
}
}
}