★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★
➤微信公衆號:山青詠芝(shanqingyongzhi)
➤博客園地址:山青詠芝(https://www.cnblogs.com/strengthen/)
➤GitHub地址:https://github.com/strengthen/LeetCode
➤原文地址:http://www.javashuo.com/article/p-sheopdvx-cz.html
➤若是連接不是山青詠芝的博客園地址,則多是爬取做者的文章。
➤原文已修改更新!強烈建議點擊原文地址閱讀!支持做者!支持原創!
★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★html
Given a set of intervals, for each of the interval i, check if there exists an interval j whose start point is bigger than or equal to the end point of the interval i, which can be called that j is on the "right" of i.git
For any interval i, you need to store the minimum interval j's index, which means that the interval j has the minimum start point to build the "right" relationship for interval i. If the interval j doesn't exist, store -1 for the interval i. Finally, you need output the stored value of each interval as an array.github
Note:數組
Example 1:微信
Input: [ [1,2] ] Output: [-1] Explanation: There is only one interval in the collection, so it outputs -1.
Example 2:app
Input: [ [3,4], [2,3], [1,2] ] Output: [-1, 0, 1] Explanation: There is no satisfied "right" interval for [3,4]. For [2,3], the interval [3,4] has minimum-"right" start point; For [1,2], the interval [2,3] has minimum-"right" start point.
Example 3:ui
Input: [ [1,4], [2,3], [3,4] ] Output: [-1, 2, -1] Explanation: There is no satisfied "right" interval for [1,4] and [3,4]. For [2,3], the interval [3,4] has minimum-"right" start point.
給定一組區間,對於每個區間 i,檢查是否存在一個區間 j,它的起始點大於或等於區間 i 的終點,這能夠稱爲 j 在 i 的「右側」。spa
對於任何區間,你須要存儲的知足條件的區間 j 的最小索引,這意味着區間 j 有最小的起始點能夠使其成爲「右側」區間。若是區間 j 不存在,則將區間 i 存儲爲 -1。最後,你須要輸出一個值爲存儲的區間值的數組。code
注意:htm
示例 1:
輸入: [ [1,2] ] 輸出: [-1] 解釋:集合中只有一個區間,因此輸出-1。
示例 2:
輸入: [ [3,4], [2,3], [1,2] ] 輸出: [-1, 0, 1] 解釋:對於[3,4],沒有知足條件的「右側」區間。 對於[2,3],區間[3,4]具備最小的「右」起點; 對於[1,2],區間[2,3]具備最小的「右」起點。
示例 3:
輸入: [ [1,4], [2,3], [3,4] ] 輸出: [-1, 2, -1] 解釋:對於區間[1,4]和[3,4],沒有知足條件的「右側」區間。 對於[2,3],區間[3,4]有最小的「右」起點。
5324ms
1 /** 2 * Definition for an interval. 3 * public class Interval { 4 * public var start: Int 5 * public var end: Int 6 * public init(_ start: Int, _ end: Int) { 7 * self.start = start 8 * self.end = end 9 * } 10 * } 11 */ 12 class Solution { 13 func findRightInterval(_ intervals: [Interval]) -> [Int] { 14 var res:[Int] = [Int]() 15 var v:[Int] = [Int]() 16 var m:[Int:Int] = [Int:Int]() 17 for i in 0..<intervals.count 18 { 19 m[intervals[i].start] = i 20 v.append(intervals[i].start) 21 } 22 v = v.sorted(by:>) 23 for a in intervals 24 { 25 var i:Int = 0 26 while(i < v.count) 27 { 28 if v[i] < a.end 29 { 30 break 31 } 32 i += 1 33 } 34 res.append((i > 0) ? m[v[i - 1]]! : -1) 35 } 36 return res 37 } 38 }