Problem Description
You are given a 2D integer array intervals, where intervals[i] = [left_i, right_i] describes the i-th interval starting at left_i and ending at right_i (inclusive). The size of an interval is defined as the number of integers it contains, or more formally right_i - left_i + 1. You are also given an integer array queries. The answer to the j-th query is the size of the smallest interval i such that left_i <= queries[j] <= right_i. If no such interval exists, the answer is -1. Return an array containing the answers to the queries.
Key Insights
- Each interval can be represented by its size, which is determined by its left and right bounds.
- The queries ask for the minimum size of an interval that contains a specific value.
- A sorted data structure can help efficiently find the smallest interval containing any query.
- A combination of sorting, binary search, and a priority queue can be used to solve the problem efficiently.
Space and Time Complexity
Time Complexity: O((N + Q) log N) where N is the number of intervals and Q is the number of queries. Space Complexity: O(N + Q) for storing the intervals and results.
Solution
To solve the problem, we can follow these steps:
- Sort Intervals: Begin by sorting the intervals based on their left bounds. This allows us to efficiently find which intervals can potentially contain any queried value.
- Prepare for Queries: Create a list of queries along with their original indices to return results in the correct order after processing.
- Use a Min-Heap: Use a min-heap (priority queue) to keep track of the intervals that can contain the current query. The heap will store intervals sorted by size.
- Binary Search: For each query, use binary search to find all intervals that start before or at the query value.
- Update Results: For each interval that contains the query, add it to the heap, and check for the smallest interval size. If no intervals are found, the answer is -1.