LintCode - Number of Airplanes in the Sky

Given an interval list which are flying and landing time of the flight. How many airplanes are on the sky at most?

Example

For interval list [[1,10],[2,3],[5,8],[4,7]], return 3

Note

If landing and flying happens at the same time, we consider landing should happen at first.

将所有区间的start与end放在一起排序,但是要标记其是属性,然后统一排序,问题就转化成了括号匹配嵌套的问题了(最大有多少层括号嵌套,比如说((()))就是一个3层嵌套,()(()))最大嵌套是2),这里start相当于左括号,end相当于右括号,只要用一个cnt来记录,遇到start就加1,遇到end就减1,记录过程中的最大值就是答案。

int countOfAirplanes(vector<Interval> &airplanes) {
    vector<pair<int,bool>> v;
    for(auto& i:airplanes) {
        v.push_back(make_pair(i.start, true));
        v.push_back(make_pair(i.end, false));
    }
    sort(v.begin(), v.end());
    int cnt = 0, most = 0;
    for(auto& p:v) {
        if(p.second) cnt++;
        else cnt--;
        most = max(most, cnt);
    }
    return most;
}

  

Reference:

http://www.cnblogs.com/easonliu/p/4504647.html

猜你喜欢

转载自yuanhsh.iteye.com/blog/2216972
sky