给你一个字符串 path
,其中 path[i]
的值可以是 'N'
、'S'
、'E'
或者 'W'
,分别表示向北、向南、向东、向西移动一个单位。
你从二维平面上的原点 (0, 0)
处开始出发,按 path
所指示的路径行走。
如果路径在任何位置上与自身相交,也就是走到之前已经走过的位置,请返回 true
;否则,返回 false
。
示例 1:
输入:path = "NES" 输出:false 解释:该路径没有在任何位置相交。
示例 2:
输入:path = "NESWW" 输出:true 解释:该路径经过原点两次。
提示:
1 <= path.length <= 104
path[i]
为'N'
、'S'
、'E'
或'W'
class Solution:
def isPathCrossing(self, path: str) -> bool:
x = y = 0
vis = {(x, y)}
for c in path:
if c == 'N':
y += 1
elif c == 'S':
y -= 1
elif c == 'E':
x += 1
else:
x -= 1
if (x, y) in vis:
return True
vis.add((x, y))
return False
class Solution {
public boolean isPathCrossing(String path) {
int x = 0;
int y = 0;
Set<Integer> vis = new HashSet<>();
vis.add(0);
for (char c : path.toCharArray()) {
if (c == 'N') {
++y;
} else if (c == 'S') {
--y;
} else if (c == 'E') {
++x;
} else {
--x;
}
int t = x * 20000 + y;
if (vis.contains(t)) {
return true;
}
vis.add(t);
}
return false;
}
}
class Solution {
public:
bool isPathCrossing(string path) {
int x = 0, y = 0;
unordered_set<int> vis {{0}};
for (char c : path) {
if (c == 'N')
++y;
else if (c == 'S')
--y;
else if (c == 'E')
++x;
else
--x;
int t = x * 20000 + y;
if (vis.count(t)) return 1;
vis.insert(t);
}
return 0;
}
};
func isPathCrossing(path string) bool {
x, y := 0, 0
vis := make(map[int]bool)
vis[0] = true
for _, c := range path {
if c == 'N' {
y++
} else if c == 'S' {
y--
} else if c == 'E' {
x++
} else {
x--
}
t := x*20000 + y
if vis[t] {
return true
}
vis[t] = true
}
return false
}