forked from halfrost/LeetCode-Go
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path475. Heaters.go
84 lines (76 loc) · 1.35 KB
/
475. Heaters.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
package leetcode
import (
"math"
"sort"
)
func findRadius(houses []int, heaters []int) int {
minRad := 0
sort.Ints(heaters)
for _, house := range houses {
// 遍历房子的坐标,维护 heaters 的最小半径
heater := findClosestHeater(house, heaters)
rad := heater - house
if rad < 0 {
rad = -rad
}
if rad > minRad {
minRad = rad
}
}
return minRad
}
// 二分搜索
func findClosestHeater(pos int, heaters []int) int {
low, high := 0, len(heaters)-1
if pos < heaters[low] {
return heaters[low]
}
if pos > heaters[high] {
return heaters[high]
}
for low <= high {
mid := low + (high-low)>>1
if pos == heaters[mid] {
return heaters[mid]
} else if pos < heaters[mid] {
high = mid - 1
} else {
low = mid + 1
}
}
// 判断距离两边的 heaters 哪个更近
if pos-heaters[high] < heaters[low]-pos {
return heaters[high]
}
return heaters[low]
}
// 解法二 暴力搜索
func findRadius1(houses []int, heaters []int) int {
res := 0
for i := 0; i < len(houses); i++ {
dis := math.MaxInt64
for j := 0; j < len(heaters); j++ {
dis = min(dis, abs(houses[i]-heaters[j]))
}
res = max(res, dis)
}
return res
}
func max(a int, b int) int {
if a > b {
return a
}
return b
}
func min(a int, b int) int {
if a > b {
return b
}
return a
}
func abs(a int) int {
if a > 0 {
return a
}
return -a
}