Problem Description
Given a data stream input of non-negative integers a1, a2, ..., an, summarize the numbers seen so far as a list of disjoint intervals. Implement the SummaryRanges class with methods to add numbers to the stream and return the summary of the integers in the stream as a list of disjoint intervals.
Key Insights
- The problem requires maintaining a dynamic list of intervals as numbers are added.
- Intervals must merge when consecutive numbers are added.
- Efficiently managing the intervals is crucial due to the potential size of the data stream.
Space and Time Complexity
Time Complexity: O(log n) for adding a number and O(n) for retrieving intervals in the worst case. Space Complexity: O(n) for storing the intervals.
Solution
To solve the problem, we can use a sorted data structure (like a balanced binary search tree) to keep track of the intervals. When a new number is added:
- We check if it can extend existing intervals or create a new one.
- If it merges with existing intervals, we adjust the start and end points accordingly.
- The getIntervals method simply retrieves the intervals in their current state.
This approach ensures that we maintain disjoint intervals efficiently as new numbers are added.