题目
给你一个字符串 path,其中 path[i] 的值可以是 ‘N’、‘S’、‘E’ 或者 ‘W’,分别表示向北、向南、向东、向西移动一个单位。
你从二维平面上的原点 (0, 0) 处开始出发,按 path 所指示的路径行走。
如果路径在任何位置上与自身相交,也就是走到之前已经走过的位置,请返回 true ;否则,返回 false 。
示例 1:
输入:path = “NES”
输出:false
解释:该路径没有在任何位置相交。
示例 2:
输入:path = “NESWW”
输出:true
解释:该路径经过原点两次。
提示:
1 <= path.length <= 10^4
path[i] 为 ‘N’、‘S’、‘E’ 或 ‘W’
来源:力扣(LeetCode)
解题思路
题目中给定的操作都是走一格,所以每一次操作都会生成一个新的位置,我们将操作中的位置记录下来,然后每一次操作都查找一下新的位置是否已经在记录里了,如果存在即为交叉。
class Solution:def isPathCrossing(self, path: str) -> bool:trace=set()trace.add((0,0))current=[0,0]def judge():if tuple(current) in trace:return Trueelse:trace.add(tuple(current))return Falsefor i in path:if i=='N':current[1]+=1if judge():return Trueelif i=='S':current[1]-=1if judge():return Trueelif i=='E':current[0]+=1if judge():return Trueelse:current[0]-=1if judge():return Truereturn False