Find Right Interval

题目来源
给一堆intervals,然后让你求每一个interval右边的最小的interval。
我的做法是先排个序,然后搞个map来映射索引和start,因为题目说start是唯一的。然后二分搜索来确定这个索引。

/**
 * Definition for an interval.
 * struct Interval {
 *     int start;
 *     int end;
 *     Interval() : start(0), end(0) {}
 *     Interval(int s, int e) : start(s), end(e) {}
 * };
 */
class Solution {
public:
    vector findRightInterval(vector& intervals) {
        map maps;
        vector intervals_copy(intervals);
        int n = intervals.size();
        for (int i=0; i res(n, -1);
        for (int i=0; i

看了看讨论区,发现自己有点傻,不对,主要是STL的各种还不熟悉,不会利用,用了之后就特别简单简洁,代码如下:

class Solution {
public:
    vector findRightInterval(vector& intervals) {
        map hash;
        vector res;
        int n = intervals.size();
        for (int i = 0; i < n; ++i)
            hash[intervals[i].start] = i;
        for (auto in : intervals) {
            auto itr = hash.lower_bound(in.end);
            if (itr == hash.end()) res.push_back(-1);
            else res.push_back(itr->second);
        }
        return res;
    }
};

你可能感兴趣的:(Find Right Interval)