返回介绍

solution / 0600-0699 / 0657.Robot Return to Origin / README_EN

发布于 2024-06-17 01:03:35 字数 3463 浏览 0 评论 0 收藏 0

657. Robot Return to Origin

中文文档

Description

There is a robot starting at the position (0, 0), the origin, on a 2D plane. Given a sequence of its moves, judge if this robot ends up at (0, 0) after it completes its moves.

You are given a string moves that represents the move sequence of the robot where moves[i] represents its ith move. Valid moves are 'R' (right), 'L' (left), 'U' (up), and 'D' (down).

Return true_ if the robot returns to the origin after it finishes all of its moves, or _false_ otherwise_.

Note: The way that the robot is "facing" is irrelevant. 'R' will always make the robot move to the right once, 'L' will always make it move left, etc. Also, assume that the magnitude of the robot's movement is the same for each move.

 

Example 1:

Input: moves = "UD"
Output: true
Explanation: The robot moves up once, and then down once. All moves have the same magnitude, so it ended up at the origin where it started. Therefore, we return true.

Example 2:

Input: moves = "LL"
Output: false
Explanation: The robot moves left twice. It ends up two "moves" to the left of the origin. We return false because it is not at the origin at the end of its moves.

 

Constraints:

  • 1 <= moves.length <= 2 * 104
  • moves only contains the characters 'U', 'D', 'L' and 'R'.

Solutions

Solution 1

class Solution:
  def judgeCircle(self, moves: str) -> bool:
    x = y = 0
    for c in moves:
      if c == 'R':
        x += 1
      elif c == 'L':
        x -= 1
      elif c == 'U':
        y += 1
      elif c == 'D':
        y -= 1
    return x == 0 and y == 0
class Solution {
  public boolean judgeCircle(String moves) {
    int x = 0, y = 0;
    for (int i = 0; i < moves.length(); ++i) {
      char c = moves.charAt(i);
      if (c == 'R')
        ++x;
      else if (c == 'L')
        --x;
      else if (c == 'U')
        ++y;
      else if (c == 'D')
        --y;
    }
    return x == 0 && y == 0;
  }
}
function judgeCircle(moves: string): boolean {
  let x = 0,
    y = 0;
  const dir = {
    R: [1, 0],
    L: [-1, 0],
    U: [0, 1],
    D: [0, -1],
  };
  for (let u of moves) {
    const [dx, dy] = dir[u];
    x += dx;
    y += dy;
  }
  return !x && !y;
}

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。
列表为空,暂无数据
    我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
    原文