2563. Count the Number of Fair Pairs


Problem Description

In this problem, you are given an array nums of integers that has n elements, and you're also given two integers lower and upper. Your task is to count the number of "fair pairs" in this array. A pair of elements (nums[i], nums[j]) is considered a "fair pair" if it fulfills two conditions:

  1. The indices i and j must satisfy 0 <= i < j < n, meaning that i is strictly less than j and both are within the bounds of the array indices.
  2. The sum of the elements at these indices, nums[i] + nums[j], must be between lower and upper, inclusive. That is, lower <= nums[i] + nums[j] <= upper.

You have to calculate and return the total number of such fair pairs present in the array.

Intuition

To approach the problem, we first observe that a brute-force solution would require checking all possible pairs and seeing if their sum falls within the specified range. This would result in an O(n^2) time complexity, which is not efficient for large arrays.

We can do better by first sorting nums. Once the array is sorted, we can use the two-pointer technique or binary search to find the range of elements that can pair with each nums[i] to form a fair pair. This is more efficient because when the array is sorted, we can make certain that if nums[i] + nums[j] is within the range, then nums[i] + nums[j+1] will only grow larger.

The provided solution takes advantage of the bisect_left method from Python's bisect module. This method is used to find the insertion point for a given element in a sorted array to maintain the array's sorted order.

Here's the intuition behind the steps in the provided solution:

  1. We first sort nums. Sorting allows us to use binary search, which dramatically reduces the number of comparisons needed to find fair pairs.

  2. We iterate through nums with enumerate which gives us both the index i and the value x of each element in nums.

  3. For each x in nums, we want to find the range of elements within nums that can be added to x to make a sum between lower and upper. To do this, we perform two binary searches with bisect_left. The first binary search finds j, the smallest index such that the sum of x and nums[j] is at least lower. The second search finds k, the smallest index such that the sum of x and nums[k] is greater than upper.

  4. The range of indices [j, k) in nums gives us all the valid j's that can pair with our current i to form fair pairs. We add k - j to our answer for each i.

  5. Finally, after completing the loop, ans holds the total count of fair pairs, which we return.

By sorting the array and using binary search, we reduce the complexity of the problem. The sorting step is O(n log n) and the binary search inside the loop runs in O(log n) time for each element, so overall the algorithm runs significantly faster than a naive pairwise comparison approach.

Learn more about Two Pointers, Binary Search and Sorting patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece๏ผš

Consider the classic dynamic programming of fibonacci numbers, what is the recurrence relation?

Solution Approach

The solution uses Python's sorting algorithm and the bisect module as its primary tools. Here's a detailed walk-through of how the code works, with reference to the patterns, data structures, and algorithms used:

  1. Sorting the Array: The nums.sort() line sorts the array in non-decreasing order. This is critical because it allows us to use binary search in the following steps. Sorting in Python uses the Timsort algorithm, which is a hybrid sorting algorithm derived from merge sort and insertion sort.

  2. Enumerating through Sorted Elements: The for i, x in enumerate(nums): line iterates over the elements of the sorted nums array, obtaining both the index i and value x of each element.

  3. Binary Search with bisect_left: Uses the bisect_left function from Python's bisect module to perform binary searches. This function is called twice:

    • Once to find j, the index of the first element in nums such that when added to x, the sum is not less than lower. The call is bisect_left(nums, lower - x, lo=i + 1), which looks for the "left-most" position to insert lower - x in nums starting at index i+1 to keep the sorted order.
    • A second time to find k, the index where the sum of x and the element at this index is just greater than upper. The call is bisect_left(nums, upper - x + 1, lo=i + 1), which is looking for the "left-most" insertion point for upper - x + 1 in nums starting at index i+1.
  4. Counting Fair Pairs: The line ans += k - j calculates the number of elements between indices j and k, which is the count of all j indices that pair with the current i index to form a fair pair where lower <= nums[i] + nums[j] <= upper. Since nums is sorted, all elements nums[j] ... nums[k-1] will satisfy the condition with nums[i].

  5. Return Final Count: After completing the loop over all elements, the ans variable holds the total count, which is then returned by the function return ans.

By utilizing the bisect_left function for binary search, the code efficiently narrows down the search space for potential pairs, which is faster than a linear search. Moreover, the use of enumeration and range-based counting (k - j) makes the solution concise and readable. The overall complexity of the solution is O(n log n) due to the initial sorting and the subsequent binary searches inside the loop.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Which two pointer techniques do you use to check if a string is a palindrome?

Example Walkthrough

Let's walk through a small example to illustrate how the solution finds the number of fair pairs.

Given Input:

  • nums = [1, 3, 5, 7]
  • lower = 4
  • upper = 8

Steps:

  1. Sort the Array: First, we sort nums. The array nums is already in sorted order, so no changes are made here.

  2. Iterate and Binary Search:

    • When i = 0 and x = 1, we search for:
      • j: Using bisect_left(nums, lower - x, lo=i + 1), which evaluates to bisect_left(nums, 3, lo=1). The function returns j = 1 because nums[1] = 3 is the first value where nums[1] + x >= lower.
      • k: Using bisect_left(nums, upper - x + 1, lo=i + 1), we get bisect_left(nums, 8, lo=1). This returns k = 4 because that's the index where inserting 8 would keep the array sorted, and there's no actual index 4 since the array length is 4 (0 indexed).
      • We calculate ans += k - j which is ans += 4 - 1, adding 3 to ans.
    • When i = 1 and x = 3, we search for:
      • j: bisect_left(nums, 1, lo=2) and the function returns j = 2.
      • k: bisect_left(nums, 6, lo=2) which returns k = 3 because that's the fitting place to insert 6 (just before 7).
      • We update ans to ans += 3 - 2, adding 1 to ans.
    • When i = 2 and x = 5, we do similar searches. No fair pairs can be made as there is only one element (7) after i, which does not satisfy the conditions, and the ans is not updated.
    • When i = 3 and x = 7, this is the last element, so no pairs can be made, and we don't update ans.
  3. Return Final Count: Summing all the valid pairs, we have ans = 3 + 1 = 4. The function returns 4, which is the total count of fair pairs in the given array where the sum of pairs is within the range [lower, upper].

Solution Implementation

1from bisect import bisect_left
2
3class Solution:
4    def count_fair_pairs(self, nums: List[int], lower: int, upper: int) -> int:
5        # Sort the list of numbers to leverage binary search advantage.
6        nums.sort()
7      
8        fair_pairs_count = 0
9      
10        # Iterate over each number to find suitable pairs.
11        for index, num in enumerate(nums):
12            # Find the left boundary for fair pairs.
13            left_index = bisect_left(nums, lower - num, lo=index + 1)
14            # Find the right boundary for fair pairs.
15            right_index = bisect_left(nums, upper - num + 1, lo=index + 1)
16          
17            # Update the count of fair pairs by the number of elements that
18            # fall between the calculated left and right boundaries.
19            fair_pairs_count += right_index - left_index
20      
21        # Return the total number of fair pairs.
22        return fair_pairs_count
23
1class Solution {
2    // Counts the number of 'fair' pairs in the array, where a pair is considered fair 
3    // if the sum of its elements is between 'lower' and 'upper' (inclusive).
4    public long countFairPairs(int[] nums, int lower, int upper) {
5        // Sort the array to enable binary search
6        Arrays.sort(nums);
7        long count = 0; // Initialize count of fair pairs
8        int n = nums.length;
9      
10        // Iterate over each element in the array
11        for (int i = 0; i < n; ++i) {
12            // Find the left boundary for the fair sum range
13            int leftBoundaryIndex = binarySearch(nums, lower - nums[i], i + 1);
14          
15            // Find the right boundary for the fair sum range
16            int rightBoundaryIndex = binarySearch(nums, upper - nums[i] + 1, i + 1);
17          
18            // Calculate the number of fair pairs with the current element
19            count += rightBoundaryIndex - leftBoundaryIndex;
20        }
21      
22        // Return the total count of fair pairs
23        return count;
24    }
25
26    // Performs a binary search to find the index of the smallest number in 'nums' 
27    // starting from 'startIdx' that is greater or equal to 'target'.
28    private int binarySearch(int[] nums, int target, int startIdx) {
29        int endIdx = nums.length; // Sets the end index of the search range
30      
31        // Continue the loop until the search range is exhausted
32        while (startIdx < endIdx) {
33            int midIdx = (startIdx + endIdx) >> 1; // Calculate the mid index
34            // If the mid element is greater or equal to target,
35            // we need to continue in the left part of the array
36            if (nums[midIdx] >= target) {
37                endIdx = midIdx;
38            } else {
39                // Otherwise, continue in the right part
40                startIdx = midIdx + 1;
41            }
42        }
43      
44        // Return the start index which is the index of the smallest
45        // number greater or equal to 'target'.
46        return startIdx;
47    }
48}
49
1#include <vector>
2#include <algorithm> // Include algorithm library for sort, lower_bound
3
4class Solution {
5public:
6    // Function to count the number of "fair" pairs
7    // A fair pair (i, j) satisfies: lower <= nums[i] + nums[j] <= upper
8    long long countFairPairs(vector<int>& nums, int lower, int upper) {
9        // Initialize the answer (count of fair pairs) to 0
10        long long fairPairCount = 0;
11      
12        // Sort the input vector nums
13        sort(nums.begin(), nums.end());
14      
15        // Iterate through each element in the vector nums
16        for (int i = 0; i < nums.size(); ++i) {
17            // Find the first element in the range [i+1, nums.size()) which
18            // could form a fair pair with nums[i], having a sum >= lower.
19            auto lowerBoundIt = lower_bound(nums.begin() + i + 1, nums.end(), lower - nums[i]);
20          
21            // Find the first element in the range [i+1, nums.size()) which
22            // would form a pair with a sum just above upper limit.
23            auto upperBoundIt = upper_bound(nums.begin() + i + 1, nums.end(), upper - nums[i]);
24          
25            // Increment the fair pair count by the number of elements in the range
26            // [lowerBoundIt, upperBoundIt), which are the eligible pairs.
27            fairPairCount += (upperBoundIt - lowerBoundIt);
28        }
29      
30        // Return the final count of fair pairs
31        return fairPairCount;
32    }
33};
34
1// Counts the number of fair pairs in an array where the pairs (i, j) satisfy
2// lower <= nums[i] + nums[j] <= upper and i < j.
3function countFairPairs(nums: number[], lower: number, upper: number): number {
4    // Binary search function to find the index of the first number in `sortedNums`
5    // that is greater than or equal to `target`, starting the search from index `left`.
6    const binarySearch = (target: number, left: number): number => {
7        let right = nums.length;
8        while (left < right) {
9            const mid = (left + right) >> 1;
10            if (nums[mid] >= target) {
11                right = mid;
12            } else {
13                left = mid + 1;
14            }
15        }
16        return left;
17    };
18
19    // Sort the array in non-descending order.
20    nums.sort((a, b) => a - b);
21  
22    // Initialize the count of fair pairs to zero.
23    let fairPairCount = 0;
24  
25    // Iterate through the array to count fair pairs.
26    for (let i = 0; i < nums.length; ++i) {
27        // Find the starting index 'j' for the valid pairs with nums[i]
28        const startIdx = binarySearch(lower - nums[i], i + 1);
29        // Find the ending index 'k' for the valid pairs with nums[i]
30        const endIdx = binarySearch(upper - nums[i] + 1, i + 1);
31        // The number of valid pairs with nums[i] is the difference between these indices
32        fairPairCount += endIdx - startIdx;
33    }
34  
35    // Return the total count of fair pairs.
36    return fairPairCount;
37}
38
Not Sure What to Study? Take the 2-min Quiz๏ผš

Depth first search can be used to find whether two components in a graph are connected.

Time and Space Complexity

Time Complexity

The given Python code performs the sorting of the nums list, which takes O(n log n) time, where n is the number of elements in the list. After sorting, it iterates over each element in nums and performs two binary searches using the bisect_left function.

For each element x in the list, it finds the index j of the first number not less than lower - x starting from index i + 1 and the index k of the first number not less than upper - x + 1 from the same index i + 1. The binary searches take O(log n) time each.

Since the binary searches are inside a loop that runs n times, the total time for all binary searches combined is O(n log n). This means the overall time complexity of the function is dominated by the sorting and binary searches, which results in O(n log n).

Space Complexity

The space complexity of the algorithm is O(1) if we disregard the input and only consider additional space because the sorting is done in-place and the only other variables are used for iteration and counting.

In the case where the sorting is not done in-place (depending on the Python implementation), the space complexity would be O(n) due to the space needed to create a sorted copy of the list. However, typically, the .sort() method on a list in Python sorts in-place, thus the typical space complexity remains O(1).

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

Which of the following shows the order of node visit in a Breadth-first Search?


Recommended Readings


Got a question?ย Ask the Teaching Assistantย anything you don't understand.

Still not clear? Ask in the Forum, ย Discordย orย Submitย the part you don't understand to our editors.

โ†
โ†‘TA ๐Ÿ‘จโ€๐Ÿซ