1779. Find Nearest Point That Has the Same X or Y Coordinate

1779. Find Neaerest Point That Has the Same X or Y Coordinate #

题目 #

  • 给你两个整数 xy ,表示你在一个笛卡尔坐标系下的 (x, y) 处。同时,在同一个坐标系下给你一个数组 points ,其中 points[i] = [ai, bi] 表示在 (ai, bi) 处有一个点。当一个点与你所在的位置有相同的 x 坐标或者相同的 y 坐标时,我们称这个点是 有效的
  • 请返回距离你当前位置 曼哈顿距离 最近的 有效 点的下标(下标从 0 开始)。如果有多个最近的有效点,请返回下标 最小 的一个。如果没有有效点,请返回 -1
  • 两个点 (x1, y1)(x2, y2) 之间的 曼哈顿距离abs(x1 - x2) + abs(y1 - y2)

思路 #

模拟 #

代码 #

模拟 #

class Solution {
    public boolean isValid(int x, int y, int[] point) {
        return x == point[0] || y == point[1];
    }
    public int manhattan(int x, int y, int[] point) {
        return Math.abs(x-point[0]) + Math.abs(y-point[1]);
    }
    public int nearestValidPoint(int x, int y, int[][] points) {
        int distance = Integer.MAX_VALUE, ans = -1;
        for (int i = 0; i < points.length; i++) {
            if (isValid(x, y, points[i]) == false) continue;
            if (manhattan(x, y, points[i]) < distance) { distance = manhattan(x, y, points[i]); ans = i; }
        }
        return ans;
    }
}

致谢 #

宫水三叶