Created
April 16, 2016 15:41
-
-
Save cruxrebels/37c2da1caa0744c1b2d0a3de834267e4 to your computer and use it in GitHub Desktop.
Given a collection of intervals, merge all overlapping intervals. For example: Given [1,3],[2,6],[8,10],[15,18], return [1,6],[8,10],[15,18]. Make sure the returned intervals are sorted. Tags: InterviewBit Arrays problem https://www.interviewbit.com/problems/merge-overlapping-intervals/
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
* Definition for an interval. | |
* struct Interval { | |
* int start; | |
* int end; | |
* Interval() : start(0), end(0) {} | |
* Interval(int s, int e) : start(s), end(e) {} | |
* }; | |
*/ | |
bool sortHelp(const Interval& a, const Interval& b) | |
{ | |
return (a.start < b.start); | |
} | |
vector<Interval> Solution::merge(vector<Interval> &intervals) { | |
if(intervals.size() < 2) { | |
return intervals; | |
} | |
sort(intervals.begin(), intervals.end(), sortHelp); | |
int first = 0; | |
for(int second = 1; second < intervals.size(); second++) { | |
// There is overlap in intervals at first and second position. | |
if(intervals[second].start <= intervals[first].end) { | |
// We merge the second interval into the first one and modify the first interval to reflect it. | |
intervals[first].end = max(intervals[second].end, intervals[first].end); | |
} | |
else { | |
// No overlap between first and second. Move forward. | |
++first; | |
intervals[first].start = intervals[second].start; | |
intervals[first].end = intervals[second].end; | |
} | |
} | |
intervals.erase(intervals.begin() + first + 1, intervals.end()); | |
return intervals; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment