加载中...
1041-困于环中的机器人(Robot Bounded In Circle)
发表于:2021-12-03 | 分类: 中等
字数统计: 823 | 阅读时长: 3分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/robot-bounded-in-circle

英文原文

On an infinite plane, a robot initially stands at (0, 0) and faces north. The robot can receive one of three instructions:

  • "G": go straight 1 unit;
  • "L": turn 90 degrees to the left;
  • "R": turn 90 degrees to the right.

The robot performs the instructions given in order, and repeats them forever.

Return true if and only if there exists a circle in the plane such that the robot never leaves the circle.

 

Example 1:

Input: instructions = "GGLLGG"
Output: true
Explanation: The robot moves from (0,0) to (0,2), turns 180 degrees, and then returns to (0,0).
When repeating these instructions, the robot remains in the circle of radius 2 centered at the origin.

Example 2:

Input: instructions = "GG"
Output: false
Explanation: The robot moves north indefinitely.

Example 3:

Input: instructions = "GL"
Output: true
Explanation: The robot moves from (0, 0) -> (0, 1) -> (-1, 1) -> (-1, 0) -> (0, 0) -> ...

 

Constraints:

  • 1 <= instructions.length <= 100
  • instructions[i] is 'G', 'L' or, 'R'.

中文题目

在无限的平面上,机器人最初位于 (0, 0) 处,面朝北方。机器人可以接受下列三条指令之一:

  • "G":直走 1 个单位
  • "L":左转 90 度
  • "R":右转 90 度

机器人按顺序执行指令 instructions,并一直重复它们。

只有在平面中存在环使得机器人永远无法离开时,返回 true。否则,返回 false

 

示例 1:

输入:"GGLLGG"
输出:true
解释:
机器人从 (0,0) 移动到 (0,2),转 180 度,然后回到 (0,0)。
重复这些指令,机器人将保持在以原点为中心,2 为半径的环中进行移动。

示例 2:

输入:"GG"
输出:false
解释:
机器人无限向北移动。

示例 3:

输入:"GL"
输出:true
解释:
机器人按 (0, 0) -> (0, 1) -> (-1, 1) -> (-1, 0) -> (0, 0) -> ... 进行移动。

 

提示:

  1. 1 <= instructions.length <= 100
  2. instructions[i] 在 {'G', 'L', 'R'} 中

通过代码

高赞题解

执行用时 :1 ms, 在所有Java提交中击败了99.62%的用户
内存消耗 :33.6 MB, 在所有Java提交中击败了100.00%的用户
看了很多人写的似乎都用死循环来判断最后是否会回到终点,其实有点多此一举了,因为只要走完一轮后,方向改变,即不是直走的话,最后无论再走多少轮总有一轮会走回终点。
下面看代码吧,最后困于环也就两种情况。

public boolean isRobotBounded(String instructions) {
    
    int dir = 0; // 方向: 0上   1右   2下   3左
    int x = 0;   // x轴坐标
    int y = 0;   // y轴坐标
    char ch;
    for(int i = 0; i < instructions.length(); i ++){
        ch = instructions.charAt(i); // 逐个读取字符
        if(ch == 'L'){
            if(dir == 0)
                dir = 3;
            else
                dir --;
        }
        if(ch == 'R'){
            if(dir == 3)
                dir = 0;
            else
                dir ++;
        }
        if(ch == 'G'){
            switch(dir){
            case 0: y ++; break;
            case 1: x ++; break;
            case 2: y --; break;
            case 3: x --; break;
            }
        }
    }
    // 情况1: 走完一轮回到原点
    if(x == 0 && y == 0)
        return true;
    // 情况2: 走完一轮,只要方向改变了(即不是直走了),最后不管走多少轮总会回到起点
    if(dir != 0)
        return true;
    
    return false;
    
}

统计信息

通过次数 提交次数 AC比率
7383 15183 48.6%

提交历史

提交时间 提交结果 执行时间 内存消耗 语言
上一篇:
1162-地图分析(As Far from Land as Possible)
下一篇:
1042-不邻接植花(Flower Planting With No Adjacent)
本文目录
本文目录