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









网友评论