返回介绍

solution / 0700-0799 / 0789.Escape The Ghosts / README

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

789. 逃脱阻碍者

English Version

题目描述

你在进行一个简化版的吃豆人游戏。你从 [0, 0] 点开始出发,你的目的地是 target = [xtarget, ytarget] 。地图上有一些阻碍者,以数组 ghosts 给出,第 i 个阻碍者从 ghosts[i] = [xi, yi] 出发。所有输入均为 整数坐标

每一回合,你和阻碍者们可以同时向东,西,南,北四个方向移动,每次可以移动到距离原位置 1 个单位 的新位置。当然,也可以选择 不动 。所有动作 同时 发生。

如果你可以在任何阻碍者抓住你 之前 到达目的地(阻碍者可以采取任意行动方式),则被视为逃脱成功。如果你和阻碍者 同时 到达了一个位置(包括目的地) 都不算 是逃脱成功。

如果不管阻碍者怎么移动都可以成功逃脱时,输出 true ;否则,输出 false

 

示例 1:

输入:ghosts = [[1,0],[0,3]], target = [0,1]
输出:true
解释:你可以直接一步到达目的地 (0,1) ,在 (1, 0) 或者 (0, 3) 位置的阻碍者都不可能抓住你。 

示例 2:

输入:ghosts = [[1,0]], target = [2,0]
输出:false
解释:你需要走到位于 (2, 0) 的目的地,但是在 (1, 0) 的阻碍者位于你和目的地之间。 

示例 3:

输入:ghosts = [[2,0]], target = [1,0]
输出:false
解释:阻碍者可以和你同时达到目的地。 

 

提示:

  • 1 <= ghosts.length <= 100
  • ghosts[i].length == 2
  • -104 <= xi, yi <= 104
  • 同一位置可能有 多个阻碍者
  • target.length == 2
  • -104 <= xtarget, ytarget <= 104

解法

方法一:曼哈顿距离

对于任意一个阻碍者,如果它到目的地的曼哈顿距离小于等于你到目的地的曼哈顿距离,那么它就可以在你到达目的地之前抓住你。因此,我们只需要判断所有阻碍者到目的地的曼哈顿距离是否都大于你到目的地的曼哈顿距离即可。

时间复杂度 $O(n)$,空间复杂度 $O(1)$。其中 $n$ 为阻碍者的数量。

class Solution:
  def escapeGhosts(self, ghosts: List[List[int]], target: List[int]) -> bool:
    tx, ty = target
    return all(abs(tx - x) + abs(ty - y) > abs(tx) + abs(ty) for x, y in ghosts)
class Solution {
  public boolean escapeGhosts(int[][] ghosts, int[] target) {
    int tx = target[0], ty = target[1];
    for (var g : ghosts) {
      int x = g[0], y = g[1];
      if (Math.abs(tx - x) + Math.abs(ty - y) <= Math.abs(tx) + Math.abs(ty)) {
        return false;
      }
    }
    return true;
  }
}
class Solution {
public:
  bool escapeGhosts(vector<vector<int>>& ghosts, vector<int>& target) {
    int tx = target[0], ty = target[1];
    for (auto& g : ghosts) {
      int x = g[0], y = g[1];
      if (abs(tx - x) + abs(ty - y) <= abs(tx) + abs(ty)) {
        return false;
      }
    }
    return true;
  }
};
func escapeGhosts(ghosts [][]int, target []int) bool {
  tx, ty := target[0], target[1]
  for _, g := range ghosts {
    x, y := g[0], g[1]
    if abs(tx-x)+abs(ty-y) <= abs(tx)+abs(ty) {
      return false
    }
  }
  return true
}

func abs(x int) int {
  if x < 0 {
    return -x
  }
  return x
}
function escapeGhosts(ghosts: number[][], target: number[]): boolean {
  const [tx, ty] = target;
  for (const [x, y] of ghosts) {
    if (Math.abs(tx - x) + Math.abs(ty - y) <= Math.abs(tx) + Math.abs(ty)) {
      return false;
    }
  }
  return true;
}

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

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

发布评论

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