3880. Minimum Absolute Difference Between Two Values
Description
You are given an integer array nums consisting only of 0, 1, and 2.
A pair of indices (i, j) is called valid if nums[i] == 1 and nums[j] == 2.
Return the minimum absolute difference between i and j among all valid pairs. If no valid pair exists, return -1.
The absolute difference between indices i and j is defined as abs(i - j).
Β
Example 1:
Input: nums = [1,0,0,2,0,1]
Output: 2
Explanation:
The valid pairs are:
- (0, 3) which has absolute difference of
abs(0 - 3) = 3. - (5, 3) which has absolute difference of
abs(5 - 3) = 2.
Thus, the answer is 2.
Example 2:
Input: nums = [1,0,1,0]
Output: -1
Explanation:
There are no valid pairs in the array, thus the answer is -1.
Β
Constraints:
1 <= nums.length <= 1000 <= nums[i] <= 2
Solutions
Solution 1: Single Pass
We use an array \(\textit{last}\) of length \(3\) to record the last occurrence index of digits \(0\), \(1\), and \(2\). Initially, \(\textit{last} = [-(n+1), -(n+1), -(n+1)]\). We iterate through the array \(\textit{nums}\). For the current number \(x\), if \(x\) is not equal to \(0\), we update the answer \(\textit{ans} = \min(\textit{ans}, i - \textit{last}[3 - x])\), where \(i\) is the index of the current number \(x\). Then we update \(\textit{last}[x] = i\).
After the iteration, if \(\textit{ans}\) is greater than the length of the array \(\textit{nums}\), it means no valid index pair exists, so we return -1; otherwise, we return \(\textit{ans}\).
The time complexity is \(O(n)\), where \(n\) is the length of the array \(\textit{nums}\). The space complexity is \(O(1)\).
1 2 3 4 5 6 7 8 9 10 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | |