初始位置 (0, 0) 处有一个机器人。给出它的一系列动作,判断这个机器人的移动路线是否形成一个圆圈,换言之就是判断它是否会移回到原来的位置。
移动顺序由一个字符串表示。每一个动作都是由一个字符来表示的。机器人有效的动作有 R
(右),L
(左),U
(上)和 D
(下)。输出应为 true 或 false,表示机器人移动路线是否成圈。
示例 1:
输入: "UD" 输出: true
示例 2:
输入: "LL" 输出: false
class Solution:
def __init__(self):
self.x = 0
self.y = 0
def judgeCircle(self, moves):
"""
:type moves: str
:rtype: bool
"""
for i in moves:
self.move(i)
if self.x == 0 and self.y == 0:
return "true"
else:
return "flase"
def move(self, move):
if move == "L":
self.x -= 1
elif move == "R":
self.x += 1
elif move == "U":
self.y += 1
elif move == "D":
self.y -= 1
s1 = Solution()
print(s1.judgeCircle("UD"))
print((s1.judgeCircle("LL")))