https://leetcode.com/problems/squirrel-simulation/description/
给定一个二维矩阵,里面有若干个果子,一个松鼠和一棵树,松鼠每一步可以走四个方向,它每次可以最多携带一个果子,并且它要将每个果子都搜集到树的位置。问至少要走多少步。
设松鼠位置是 s s s,果子的位置是 n i n_i ni,树的位置是 t t t,则除了第一个果子以外,别的果子都需要来回在树和果子之间走两次,所以总距离为 2 ∑ i ∣ n i t ∣ − ∣ n 0 t ∣ + ∣ n 0 s ∣ 2\sum_i |n_it|-|n_0t|+|n_0s| 2∑i∣nit∣−∣n0t∣+∣n0s∣, n 0 n_0 n0为某个第一个采集的果子。要最小化这个其实就是要最大化 ∣ n 0 t ∣ − ∣ n 0 s ∣ |n_0t|-|n_0s| ∣n0t∣−∣n0s∣,直接暴力枚举 n 0 n_0 n0即可。代码如下:
class Solution {
public:
int minDistance(int height, int width, vector<int>& tree,
vector<int>& squirrel, vector<vector<int>>& nuts) {
int res = 0, d = INT_MIN;
auto dist = [&](vector<int>& a, vector<int>& b) {
return abs(a[0] - b[0]) + abs(a[1] - b[1]);
};
for (auto nut : nuts) {
res += dist(nut, tree) * 2;
d = max(d, dist(nut, tree) - dist(nut, squirrel));
}
return res - d;
}
};
时间复杂度 O ( n ) O(n) O(n), n n n是果子数量,空间 O ( 1 ) O(1) O(1)。