列表

详情


1496. 判断路径是否相交

给你一个字符串 path,其中 path[i] 的值可以是 'N''S''E' 或者 'W',分别表示向北、向南、向东、向西移动一个单位。

你从二维平面上的原点 (0, 0) 处开始出发,按 path 所指示的路径行走。

如果路径在任何位置上与自身相交,也就是走到之前已经走过的位置,请返回 true ;否则,返回 false

 

示例 1:

输入:path = "NES"
输出:false 
解释:该路径没有在任何位置相交。

示例 2:

输入:path = "NESWW"
输出:true
解释:该路径经过原点两次。

 

提示:

原站题解

去查看

上次编辑到这里,代码来自缓存 点击恢复默认模板
class Solution { public: bool isPathCrossing(string path) { } };

golang 解法, 执行用时: 0 ms, 内存消耗: 2.2 MB, 提交时间: 2021-06-29 18:18:13

func isPathCrossing(path string) bool {
	x, y := 0, 0
	routes := map[int]struct{}{}
    routes[0] = struct{}{}
	for _, c := range path {
		if c == rune('N') {
			y++
		} else if c == rune('S') {
			y--
		} else if c == rune('E') {
			x++
		} else if c == rune('W') {
			x--
		}
		if _, has := routes[x*20001+y]; has {
			return true
		}
		routes[x*20001+y] = struct{}{}
	}

	return false
}

上一题