给出一个区间的集合,请合并所有重叠的区间。
示例 1:
输入: [[1,3],[2,6],[8,10],[15,18]] 输出: [[1,6],[8,10],[15,18]] 解释: 区间 [1,3] 和 [2,6] 重叠, 将它们合并为 [1,6].
示例 2:
输入: [[1,4],[4,5]] 输出: [[1,5]] 解释: 区间 [1,4] 和 [4,5] 可被视为重叠区间。
题目标签:Sort / Array
题目链接:LeetCode / LeetCode中国
重叠包括三种情况:
1、相交。如:[1,3],[2,6]
2、相切。如:[1,4],[4,5]
3、包含。如:[1,5],[2,3]
先按起点进行升序排序,如果上一个的终点小于下一个的起点,那么就不合并,否则就合并。合并后新的终点是取两个终点的最大值。
Language | Runtime | Memory |
---|---|---|
python3 | 140 ms | N/A |
# Definition for an interval.
# class Interval:
# def __init__(self, s=0, e=0):
# self.start = s
# self.end = e
class Solution:
def merge(self, intervals):
"""
:type intervals: List[Interval]
:rtype: List[Interval]
"""
intervals.sort(key=lambda x: x.start)
res = []
for it in intervals:
if not res or res[-1].end < it.start:
res.append(it)
else:
res[-1].end = max(res[-1].end, it.end)
return res