题意:
冬季已经来临。 你的任务是设计一个有固定加热半径的供暖器向所有房屋供暖。在加热器的加热半径范围内的每个房屋都可以获得供暖。现在,给出位于一条水平线上的房屋 houses 和供暖器 heaters 的位置,请你找出并返回可以覆盖所有房屋的最小加热半径。
思路:
可以二分写,但会多一个log,其实双指针on 能做的应该,无非就是找到离房子最近的供暖器,然后每个房子取max即可。
复杂度
O
(
h
o
u
s
e
s
i
z
e
∗
l
o
g
(
h
e
a
t
s
i
z
e
)
)
O( housesize * log(heatsize))
O(housesize∗log(heatsize))
C++code:
class Solution {
public:
int findRadius(vector<int>& houses, vector<int>& heaters) {
int n=houses.size();
sort(houses.begin(),houses.end());
sort(heaters.begin(),heaters.end());
int maxv=0;
heaters.push_back(2e9);
for(int i=0;i<n;i++)
{
auto it=lower_bound(heaters.begin(),heaters.end(),houses[i]);
int minv=abs(*it-houses[i]);
if(it!=heaters.begin())
it--,minv=min(minv,abs(*it-houses[i]));
maxv=max(maxv,minv);
}
return maxv;
}
};