data:image/s3,"s3://crabby-images/5bdf2/5bdf2d2f8f9ca22b073a9577ac823a74caf5b2f7" alt="0" data:image/s3,"s3://crabby-images/8cdad/8cdadc91a761c2194c0469898b971f5ed3040471" alt="1"
- 思路
Xstart ≤ X ≤ Xend,则该气球会被引爆,求使得所有气球全部被引爆,所需的弓箭的最小数量。 这是一个典型的贪心算法,每支箭都要尽可能多的射中气球。能看到points数组是有两个维度的,因此要一个一个维度的来确定,并让有重合的数组放在一起,以便计算需要的箭。 先对points数组进行排序,就按照第一个维度进行排序,从小到大,若相等则第二个维度大的在前面。然后进行比较,记录cover为前一个的第二个坐标,若后一个的第一个坐标小于等于它则可以一起爆,否则,更新cover为后一个的第二个坐标,?+1。
func findMinArrowShots(points [][]int) int {
sort.Slice(points, func(i, j int) bool {
if points[i][0] == points[j][0] {
return points[i][1] < points[j][1]
}
return points[i][0] < points[j][0]
})
count, cover := 1, points[0][1]
for i := 1; i < len(points); i++ {
if points[i][0] > cover {
cover = points[i][1]
count++
}
}
return count
}
data:image/s3,"s3://crabby-images/19b3f/19b3f41cc11cda4ad7c981d3c52cef8a74cfbb03" alt="2"
func findMinArrowShots(points [][]int) int {
sort.Slice(points, func(i, j int) bool {
if points[i][0] == points[j][0] {
return points[i][1] < points[j][1]
}
return points[i][0] < points[j][0]
})
count, cover := 1, points[0][1]
for i := 1; i < len(points); i++ {
if points[i][0] > cover {
cover = points[i][1]
count++
} else {
if points[i][1] < cover {
cover = points[i][1]
}
}
}
return count
}
data:image/s3,"s3://crabby-images/8bee8/8bee80c6a60719f4ca24b841642278e0ea2553d8" alt="3"
|