Problem Description
There exists an infinite number line, with its origin at 0 and extending towards the positive x-axis. You are given a 2D array queries
, which contains two types of queries:
- For a query of type 1,
queries[i] = [1, x]
. Build an obstacle at distancex
from the origin. - For a query of type 2,
queries[i] = [2, x, sz]
. Check if it is possible to place a block of sizesz
anywhere in the range[0, x]
on the line, such that the block entirely lies in the range[0, x]
. A block cannot be placed if it intersects with any obstacle, but it may touch it.
Return a boolean array results
, where results[i]
is true
if you can place the block specified in the i
th query of type 2, and false
otherwise.
Key Insights
- The problem involves maintaining a list of obstacles on a number line and checking the available space to place blocks.
- Efficiently handling dynamic updates (adding obstacles) and queries (checking available space) is crucial.
- A sorted list can help in quickly locating obstacles and determining if there is enough space to place a block.
- Binary search can be used to efficiently find the closest obstacle within the specified range.
Space and Time Complexity
Time Complexity: O(n log n) where n is the number of queries. Each insertion and query can be done in O(log n) time due to binary search on a sorted list of obstacles. Space Complexity: O(n) for storing the obstacles.
Solution
To solve this problem, we utilize a sorted list to keep track of the positions of the obstacles. When an obstacle is added (type 1 query), it is inserted into this list while maintaining the order. For type 2 queries, we check the obstacles within the range [0, x]
using binary search. The key is to find the position of the leftmost obstacle and determine if there is enough continuous space to accommodate the block of size sz
.