Problem Description
You are given a 0-indexed array heights
of positive integers, where heights[i]
represents the height of the i
th building. If a person is in building i
, they can move to any other building j
if and only if i < j
and heights[i] < heights[j]
. You are also given another array queries
where queries[i] = [a_i, b_i]
. On the i
th query, Alice is in building a_i
while Bob is in building b_i
. Return an array ans
where ans[i]
is the index of the leftmost building where Alice and Bob can meet on the i
th query. If Alice and Bob cannot move to a common building on query i
, set ans[i]
to -1
.
Key Insights
- Alice and Bob can only move to buildings that are to the right and have greater heights than their current buildings.
- We need to find the leftmost building that both can reach based on their starting positions.
- The problem can be efficiently solved using a monotonic stack to keep track of reachable buildings.
Space and Time Complexity
Time Complexity: O(n + q * log(n)), where n is the number of buildings and q is the number of queries.
Space Complexity: O(n), for storing the results of the reachable buildings.
Solution
To solve this problem, we can use a combination of a monotonic stack and binary search. The idea is to preprocess the heights
array to create an array next_higher
that stores the next building index with a height greater than the current building. This allows us to quickly determine which buildings Alice and Bob can access. For each query, we can then perform a binary search on the potential meeting buildings to find the leftmost one they can reach.
- Create an array
next_higher
initialized to -1, which will store the index of the next taller building for each building. - Use a monotonic stack to fill in the
next_higher
values by iterating through theheights
array from right to left. - For each query, use the starting positions of Alice and Bob to find the first accessible building using the
next_higher
array and return the leftmost index that both can reach.