Find Indices With Index and Value Difference I - Problem
You are given a 0-indexed integer array nums having length n, an integer indexDifference, and an integer valueDifference.
Your task is to find two indices i and j, both in the range [0, n - 1], that satisfy the following conditions:
abs(i - j) >= indexDifference, andabs(nums[i] - nums[j]) >= valueDifference
Return an integer array answer, where answer = [i, j] if there are two such indices, and answer = [-1, -1] otherwise.
If there are multiple choices for the two indices, return any of them.
Note: i and j may be equal.
Input & Output
Example 1 — Basic Case
$
Input:
nums = [4,1,2,3], indexDifference = 1, valueDifference = 1
›
Output:
[2,3]
💡 Note:
At indices 2 and 3: abs(2-3) = 1 >= 1 (index diff), abs(2-3) = 1 >= 1 (value diff). Both conditions satisfied.
Example 2 — No Valid Pair
$
Input:
nums = [1,2,3], indexDifference = 2, valueDifference = 4
›
Output:
[-1,-1]
💡 Note:
Only valid index pairs are (0,2) with values (1,3). Value difference is |1-3| = 2 < 4, so no solution exists.
Example 3 — Same Index
$
Input:
nums = [5], indexDifference = 0, valueDifference = 0
›
Output:
[0,0]
💡 Note:
With single element and both differences = 0, we can return the same index twice: abs(0-0) = 0 >= 0, abs(5-5) = 0 >= 0.
Constraints
- 1 ≤ nums.length ≤ 100
- 0 ≤ indexDifference ≤ nums.length - 1
- 0 ≤ valueDifference ≤ 50
- 0 ≤ nums[i] ≤ 50
Visualization
Tap to expand
Understanding the Visualization
1
Input
Array with index and value difference requirements
2
Process
Find pair satisfying both distance conditions
3
Output
Return indices or [-1,-1] if none found
Key Takeaway
🎯 Key Insight: Need to find two indices satisfying both distance constraints simultaneously
💡
Explanation
AI Ready
💡 Suggestion
Tab
to accept
Esc
to dismiss
// Output will appear here after running code