1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-11-09 15:59:06 +01:00

rs: add “1496. Path Crossing”

Signed-off-by: Matej Focko <me@mfocko.xyz>
This commit is contained in:
Matej Focko 2023-12-23 13:42:48 +01:00
parent d207204281
commit 835b0208b9
Signed by: mfocko
GPG key ID: 7C47D46246790496

27
rs/path-crossing.rs Normal file
View file

@ -0,0 +1,27 @@
use std::collections::HashSet;
impl Solution {
pub fn is_path_crossing(path: String) -> bool {
let mut visited = HashSet::from([(0, 0)]);
let mut x = 0;
let mut y = 0;
for d in path.chars() {
match d {
'N' => y -= 1,
'S' => y += 1,
'E' => x += 1,
'W' => x -= 1,
_ => unreachable!("invalid direction"),
}
if visited.contains(&(x, y)) {
return true;
}
visited.insert((x, y));
}
false
}
}