Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Robot Bounded In Circle

On an infinite plane, a robot initially stands at position (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, and "R" -- turn 90 degrees to the right. The robot performs the instructions given in order, and repeats them forever. Given the infinite string of instructions, determine whether the robot will be bounded within a circle of radius 1 centered at the origin.

Constraints:

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

Examples:

Input: "GGLLGG"

Output: true

Explanation: The robot moves in a circle of radius 1 centered at the origin.

Input: "GG"

Output: false

Explanation: The robot goes straight and does not turn back.

Input: "GL"

Output: true

Explanation: The robot turns back to the origin.

Solutions

Simulation

Time: O(n)Space: O(1)

The robot's movement can be simulated by iterating through the instructions and updating the robot's position and direction accordingly. If the robot returns to the origin or changes direction after one cycle of instructions, it will be bounded within a circle of radius 1 centered at the origin.


class Solution {
  
  public: bool isRobotBounded(string instructions) {
    int x = 0, y = 0, dir = 0;
    for (char c : instructions) {
      if (c == 'G') {
        if (dir == 0) y++;
        if (dir == 1) x++;
        if (dir == 2) y--;
        if (dir == 3) x--;
      }
      else if (c == 'L') dir = (dir + 3) % 4;
      else dir = (dir + 1) % 4;
    }
    return x == 0 && y == 0 || dir != 0;
  }
}
;

Difficulty: Medium

Category: String, Simulation

Frequency: Medium

Company tags:

GoogleAmazonMicrosoft