Skip to content

Latest commit

 

History

History

228

Folders and files

NameName
Last commit message
Last commit date

parent directory

..
 
 

You are given a sorted unique integer array nums.

Return the smallest sorted list of ranges that cover all the numbers in the array exactly. That is, each element of nums is covered by exactly one of the ranges, and there is no integer x such that x is in one of the ranges but not in nums.

Each range [a,b] in the list should be output as:

  • "a->b" if a != b
  • "a" if a == b

 

Example 1:

Input: nums = [0,1,2,4,5,7]
Output: ["0->2","4->5","7"]
Explanation: The ranges are:
[0,2] --> "0->2"
[4,5] --> "4->5"
[7,7] --> "7"

Example 2:

Input: nums = [0,2,3,4,6,8,9]
Output: ["0","2->4","6","8->9"]
Explanation: The ranges are:
[0,0] --> "0"
[2,4] --> "2->4"
[6,6] --> "6"
[8,9] --> "8->9"

 

Constraints:

  • 0 <= nums.length <= 20
  • -231 <= nums[i] <= 231 - 1
  • All the values of nums are unique.
  • nums is sorted in ascending order.

Companies:
Yandex, Facebook, Google

Related Topics:
Array

Similar Questions:

Solution 1.

// OJ: https://leetcode.com/problems/summary-ranges/
// Author: github.com/lzl124631x
// Time: O(N)
// Space: O(N)
class Solution {
public:
    vector<string> summaryRanges(vector<int>& A) {
        vector<string> ans;
        int start = 0;
        for (int i = 0, N = A.size(); i < N; ++i) {
            if (i + 1 < N && A[i + 1] == A[i] + 1) continue;
            ans.push_back(to_string(A[start]) + (i == start ? "" : ("->" + to_string(A[i]))));
            start = i + 1;
        }
        return ans;
    }
};

Or

// OJ: https://leetcode.com/problems/summary-ranges/
// Author: github.com/lzl124631x
// Time: O(N)
// Space: O(N)
class Solution {
public:
    vector<string> summaryRanges(vector<int>& A) {
        vector<string> ans;
        int N = A.size();
        for (int i = 0; i < N; ++i) {
            int start = A[i];
            while (i + 1 < N && A[i + 1] == A[i] + 1) ++i;
            ans.push_back(to_string(start) + (A[i] == start ? "" : ("->" + to_string(A[i]))));
        }
        return ans;
    }
};