LintCode 156. 合並區間
阿新 • • 發佈:2018-01-28
str log next cmp vector 所有 int end tar this
給出若幹閉合區間,合並所有重疊的部分。
樣例
給出的區間列表 => 合並後的區間列表:
[ [
[1, 3], [1, 6],
[2, 6], => [8, 10],
[8, 10], [15, 18]
[15, 18] ]
]
挑戰
O(n log n) 的時間和 O(1) 的額外空間。
/** * Definition of Interval: * classs Interval { * int start, end; * Interval(int start, int end) { * this->start = start; * this->end = end; * }*/ class Solution { public: /* * @param intervals: interval list. * @return: A new interval list. */ static bool cmp(Interval &i,Interval &j) { return i.start<j.start; } vector<Interval> merge(vector<Interval> &intervals) {// write your code here if(intervals.size()==0) return intervals; sort(intervals.begin(),intervals.end(),cmp); for(int i=0;i<intervals.size()-1;) { Interval cur=intervals[i]; Interval next=intervals[i+1]; if(next.start<=cur.end) {if(next.start<cur.start) { cur.start=next.start; } if(next.end>cur.end) { cur.end=next.end; } intervals.erase(intervals.begin()+i+1); intervals[i]=cur; continue; } i++; } return intervals; } };
LintCode 156. 合並區間