Problem Description
The minimum absolute difference of an array a
is defined as the minimum value of |a[i] - a[j]|
, where 0 <= i < j < a.length
and a[i] != a[j]
. If all elements of a
are the same, the minimum absolute difference is -1
. You are given an integer array nums
and the array queries
where queries[i] = [l_i, r_i]
. For each query i
, compute the minimum absolute difference of the subarray nums[l_i...r_i]
containing the elements of nums
between the 0-based indices l_i
and r_i
(inclusive). Return an array ans
where ans[i]
is the answer to the i
th query.
Key Insights
- We need to find the minimum absolute difference between distinct elements in specified subarrays.
- If a subarray contains all identical elements, the answer is
-1
. - Efficiently handling multiple queries requires an approach that can quickly compute results without re-evaluating the entire subarray for each query.
- The elements in
nums
are constrained between1
and100
, allowing for effective frequency counting.
Space and Time Complexity
Time Complexity: O(q * k) where q is the number of queries and k is the maximum length of the subarray for any query. This can be optimized to O(n log n) for preprocessing.
Space Complexity: O(1) for the frequency array (due to the bounded range of values in nums
).
Solution
To solve this problem, we can utilize a frequency array to count occurrences of each number in the subarray. By iterating through the frequency array, we can find the smallest difference between distinct elements. If the maximum frequency is equal to the length of the subarray, then all elements are identical, and we return -1
.
- For each query, extract the relevant subarray.
- Build a frequency array to count occurrences of each number in the range.
- Determine the minimum absolute difference by iterating through the frequency array.