目录结构
1.题目
冬季已经来临。 你的任务是设计一个有固定加热半径的供暖器向所有房屋供暖。
现在,给出位于一条水平线上的房屋和供暖器的位置,找到可以覆盖所有房屋的最小加热半径。
所以,你的输入将会是房屋和供暖器的位置。你将输出供暖器的最小加热半径。
说明:
- 给出的房屋和供暖器的数目是非负数且不会超过 25000。
- 给出的房屋和供暖器的位置均是非负数且不会超过10^9。
- 只要房屋位于供暖器的半径内(包括在边缘上),它就可以得到供暖。
- 所有供暖器都遵循你的半径标准,加热的半径也一样。
示例:
输入: [1,2,3],[2]
输出: 1
解释: 仅在位置2上有一个供暖器。如果我们将加热半径设为1,那么所有房屋就都能得到供暖。
输入: [1,2,3,4],[1,4]
输出: 1
解释: 在位置1, 4上有两个供暖器。我们需要将加热半径设为1,这样所有房屋就都能得到供暖。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/heaters
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
2.题解
排序后,为每个房间找半径最小的供暖器,最后取最大值作为结果。
注意边界条件:
- 若房间位置小于最左位置供暖器,则此房间只能选最左位置供暖器;
- 若房间位置介于两个供暖器之间,则选择距离较小的供暖器;
- 若房间位置大于最右位置供暖器,则此房间只能选最右位置供暖器。
public class Solution475 {
@Test
public void test475() {
// int[] houses = {282475249, 622650073, 984943658, 144108930, 470211272, 101027544, 457850878, 458777923};
int[] heaters = {823564440, 115438165, 784484492, 74243042, 114807987, 137522503, 441282327, 16531729,
823378840, 143542612};
int[] houses = {1,5};
int[] heaters = {2};
System.out.println(findRadius(houses, heaters));
}
public int findRadius(int[] houses, int[] heaters) {
Arrays.sort(houses);
Arrays.sort(heaters);
int len2 = heaters.length, max = Integer.MIN_VALUE,p = 0;
for (int house : houses) {
while (p < len2 - 1 && house > heaters[p]) {
p++;
}
if (p == 0 || house > heaters[p]) {
max = Math.max(max, Math.abs(heaters[p] - house));
} else {
max = Math.max(Math.min(house - heaters[p - 1], heaters[p] - house), max);
}
}
return max;
}
}
- 时间复杂度:
- 空间复杂度: