小白教你合并区间

小白教你合并区间

思路:

这个题需要知道Colletions中的sort排序

JDK1.8开发文档

这里我用的是:

static <T> void sort(List<T> list, Comparator<? super T> c)
根据指定的比较器引起的顺序对指定的列表进行排序。

我们按区间起点进行升序排列后,从第一个区间开始,比较该区间的终点,与下一个区间的起点的大小,如果该区间的终点大于它下一个区间的起点,则需要合并区间,否则跳过该区间到下一个区间。在合并区间时,需要比较这两个区间的终点的大小,取大的那个数重新作为终点,然后在于它下一个区间起点进行比较。

代码:

import java.util.*;
/**
 * Definition for an interval.
 * public class Interval {
 *     int start;
 *     int end;
 *     Interval() { start = 0; end = 0; }
 *     Interval(int s, int e) { start = s; end = e; }
 * }
 */
public class Solution {
    public ArrayList<Interval> merge(ArrayList<Interval> intervals) {
        ArrayList<Interval> res = new ArrayList<Interval>();//存储合并后的结果
        Collections.sort(intervals, (a, b) -> (a.start - b.start));//对interval的起点进行从小到大的升序
        int length = intervals.size();//intervals数组的长度
        int i = 0;
        while (i < length) {
            int left = intervals.get(i).start;//区间起点
            int right = intervals.get(i).end;//区间终点
            //合并区间
            while (i < length - 1 && intervals.get(i + 1).start <= right) {
                right = Math.max(right, intervals.get(i + 1).end);
                i++;
            }
            res.add(new Interval(left, right));
            i++;
        }
        return res;
    }
}
上一篇:Linux下alias命令


下一篇:56. 合并区间