Leetcode 57. 插入区间(新建列表/原地删除)
1.题目
链接:https://leetcode-cn.com/problems/insert-interval/
题目:
给你一个 无重叠的 ,按照区间起始端点排序的区间列表。
在列表中插入一个新的区间,你需要确保列表中的区间仍然有序且不重叠(如果有必要的话,可以合并区间)。
示例 1:
输入:intervals = [[1,3],[6,9]], newInterval = [2,5]
输出:[[1,5],[6,9]]
示例 2:
输入:intervals = [[1,2],[3,5],[6,7],[8,10],[12,16]], newInterval = [4,8]
输出:[[1,2],[3,10],[12,16]]
解释:这是因为新的区间 [4,8] 与 [3,5],[6,7],[8,10] 重叠。
示例 3:
输入:intervals = [], newInterval = [5,7]
输出:[[5,7]]
2.解题
方法1:创建新列表
- 基本思路:创建新列表,用于存储
#单指针-两次遍历
class Solution:
def insert(self, intervals: List[List[int]], newInterval: List[int]) -> List[List[int]]:
left, right = newInterval
placed = False
ans = list()
for li, ri in intervals:
if li > right:
# 在插入区间的右侧且无交集
if not placed:
ans.append([left, right])
placed = True
ans.append([li, ri])
elif ri < left:
# 在插入区间的左侧且无交集
ans.append([li, ri])
else:
# 与插入区间有交集,计算它们的并集
left = min(left, li)
right = max(right, ri)
if not placed:
ans.append([left, right])
return ans
方法2:原地修改
- 基本思路:
- 原地修改,节省空间
- 先找到第一个与待插入重叠的区间, 向后扩大区间直到没有重叠区域
- 最后删除所有曾重叠的子区间,插入最终新增的区间
class Solution:
def insert(self, intervals: List[List[int]], newInterval: List[int]) -> List[List[int]]:
# 初始状况判断
if not newInterval:
return intervals
if not intervals:
return [newInterval]
# 已经是起点有序的了
i = 0
intervalsLen = len(intervals)
while i < intervalsLen and intervals[i][1] < newInterval[0]:
i += 1
# 保存删除之前的位置,最后在这个位置上插入
tempI = i
while i < intervalsLen and intervals[i][0] <= newInterval[1]:
newInterval[0] = min(newInterval[0], intervals[i][0])
newInterval[1] = max(newInterval[1], intervals[i][1])
i += 1
else:
del intervals[tempI:i]
intervals.insert(tempI, newInterval)
return intervals
参考文章链接:
1. 插入区间
2. Python 双100