package com.heu.wsq.leetcode.arr;
/**
* 1266. 访问所有点的最小时间
* @author wsq
* @date 2021/1/15
* 平面上有 n 个点,点的位置用整数坐标表示 points[i] = [xi, yi]。请你计算访问所有这些点需要的最小时间(以秒为单位)。
* 你可以按照下面的规则在平面上移动:
* 每一秒沿水平或者竖直方向移动一个单位长度,或者跨过对角线(可以看作在一秒内向水平和竖直方向各移动一个单位长度)。
* 必须按照数组中出现的顺序来访问这些点。
*
* 输入:points = [[1,1],[3,4],[-1,0]]
* 输出:7
* 解释:一条最佳的访问路径是: [1,1] -> [2,2] -> [3,3] -> [3,4] -> [2,3] -> [1,2] -> [0,1] -> [-1,0]
* 从 [1,1] 到 [3,4] 需要 3 秒
* 从 [3,4] 到 [-1,0] 需要 4 秒
* 一共需要 7 秒
*
* 链接:https://leetcode-cn.com/problems/minimum-time-visiting-all-points
*/
public class MinTimeToVisitAllPoints {
/**
* 切比雪夫距离
* dx = abs(x0 - x1)
* dy = abs(y0 - y1)
* d = max(dx, dy)
* @param points
* @return
*/
public int minTimeToVisitAllPoints(int[][] points){
int n = points.length;
int ans = 0;
for (int i = 1; i < n; i++){
int[] prePoint = points[i - 1];
int[] currPoint = points[i];
int dx = Math.abs(prePoint[0] - currPoint[0]);
int dy = Math.abs(prePoint[1] - currPoint[1]);
ans += Math.max(dx, dy);
}
return ans;
}
}
1266. 访问所有点的最小时间
最新推荐文章于 2022-06-02 18:55:53 发布