We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

K-th Nearest Obstacle Queries

Difficulty: Medium


Problem Description

You are given a positive integer k and a series of queries that specify where to build obstacles on an infinite 2D plane. After each query, you need to determine the distance of the k-th nearest obstacle from the origin, or return -1 if there are fewer than k obstacles.


Key Insights

  • The distance from the origin of an obstacle at (x, y) is calculated using the Manhattan distance: |x| + |y|.
  • Since the number of queries can be large, an efficient way to maintain the distances is necessary.
  • Using a min-heap (priority queue) allows us to efficiently retrieve the k-th nearest distance after each query.

Space and Time Complexity

Time Complexity: O(n log k), where n is the number of queries. Each insertion into the min-heap takes O(log k) time. Space Complexity: O(k), as we only need to store the distances of the k nearest obstacles.


Solution

To solve the problem, we can use a min-heap to maintain the distances of the obstacles. For each query, we calculate the distance of the new obstacle and add it to the heap. If the size of the heap exceeds k, we remove the farthest distance (which is the root of the min-heap). After processing each query, we check the size of the heap to determine the k-th nearest obstacle.


Code Solutions

import heapq

def k_nearest_obstacles(queries, k):
    min_heap = []
    results = []
    
    for x, y in queries:
        distance = abs(x) + abs(y)
        heapq.heappush(min_heap, distance)
        
        if len(min_heap) > k:
            heapq.heappop(min_heap)
        
        # If we have k or more obstacles, the k-th nearest is the smallest in the heap
        if len(min_heap) < k:
            results.append(-1)
        else:
            results.append(min_heap[0])
    
    return results
← Back to All Questions