题目如下:
There are a number of spherical balloons spread in two-dimensional space. For each balloon, provided input is the start and end coordinates of the horizontal diameter. Since it's horizontal, y-coordinates don't matter and hence the x-coordinates of start and end of the diameter suffice. Start is always smaller than end. There will be at most 104balloons.
An arrow can be shot up exactly vertically from different points along the x-axis. A balloon with xstart and xend bursts by an arrow shot at x if xstart ≤ x ≤ xend. There is no limit to the number of arrows that can be shot. An arrow once shot keeps travelling up infinitely. The problem is to find the minimum number of arrows that must be shot to burst all balloons.
我的提交:
//17.3.28
//贪心
import java.util.Arrays;
public class Solution {
public int findMinArrowShots(int[][] points) {
if(points.length==0)
return 0;
Arrays.sort(points,new Comparator<int[]>(){
@Override
public int compare(int[] a,int[] b){
return a[1]-b[1];
}
});
int count = 1;
int min = points[0][1];
for(int i=1;i<points.length;i++){
if(points[i][0]>min){
count++;
min = points[i][1];
}
}
return count;
}
}
要想清楚为什么可以使用贪心!
排序部分:
Arrays.sort(points,new Comparator<int[]>(){
@Override
public int compare(int[] a,int[] b){
return a[1]-b[1];
}
//排序前:
//int[][] a = {{10,16},{2,8},{1,6},{7,12},{8,9}};
//排序后:
//(1,6)(2,8)(8,9)(7,12)(10,16)
排序部分的其他写法:
Arrays.sort(points, (a,b)->{return a[1]-b[1];});
Arrays.sort(points, Comparator.comparing(a->a[1]));