Enable Javascript in your browser and then refresh this page, for a much enhanced experience.
7 lines solution in Clear category for Merge Intervals by CDG.Axel
def merge_intervals(intervals):
res = []
for x, y in intervals:
if res and x <= res[-1][1] + 1:
res[-1][1] = max(y, res[-1][1])
else:
res.append([x, y])
return list(map(tuple, res))
if __name__ == '__main__':
#These "asserts" using only for self-checking and not necessary for auto-testing
assert merge_intervals([(1, 4), (2, 6), (8, 10), (12, 19)]) == [(1, 6), (8, 10), (12, 19)], "First"
assert merge_intervals([(1, 12), (2, 3), (4, 7)]) == [(1, 12)], "Second"
assert merge_intervals([(1, 5), (6, 10), (10, 15), (17, 20)]) == [(1, 15), (17, 20)], "Third"
print('Done! Go ahead and Check IT')
Sept. 19, 2021
Comments: