Problem Description
Given a 0-indexed integer array nums
of size n
and two integers lower
and upper
, return the number of fair pairs. A pair (i, j)
is fair if:
0 <= i < j < n
, andlower <= nums[i] + nums[j] <= upper
Key Insights
- We need to count pairs of indices such that their sum falls within a specified range.
- The brute force approach of checking all pairs would be inefficient for large arrays (O(n^2)).
- Sorting the array can help us use a two-pointer technique or binary search to efficiently find valid pairs.
Space and Time Complexity
Time Complexity: O(n log n) - due to sorting the array. Space Complexity: O(1) - if we sort in place, or O(n) if we use additional space for sorting.
Solution
To efficiently count the number of fair pairs, follow these steps:
- Sort the
nums
array. - Use a two-pointer approach. For each element
nums[i]
, determine the valid range ofnums[j]
that satisfies the sum condition withnums[i]
. - For each
nums[i]
, use binary search to find the lower and upper bounds of valid indices forj
. - Count how many
j
indices are valid for eachi
and accumulate the counts.
This approach leverages sorting and efficient range queries to minimize the number of operations needed to find valid pairs.