1814. Count Nice Pairs in an Array

MediumArrayHash TableMathCounting
Leetcode Link

Problem Description

You are given an array called nums which is filled with non-negative integers. The challenge is to find all pairs of indices (i, j) that meet a certain "nice" criterion. This criterion is defined by two conditions:

  • The first condition is that the indices i and j must be different and i must be less than j.
  • The second condition is that when you take the number at position i and add it to the reversal of the number at position j, this sum must be equal to the number at position j plus the reversal of the number at position i.

Now, because simply reversing a number isn't mathematically challenging, the real complexity of the problem lies in finding all such pairs efficiently. Since the number of nice pairs can be very large, you need to return the count modulo 10^9 + 7, which is a common technique in programming contests to avoid dealing with extraordinarily large numbers.

Intuition

Let's look at the condition provided in the problem - nums[i] + rev(nums[j]) == nums[j] + rev(nums[i]). If we play around with this equation a bit, we can rephrase it into nums[i] - rev(nums[i]) == nums[j] - rev(nums[j]). This observation is crucial because it allows us to switch from searching pairs to counting the frequency of unique values of nums[i] - rev(nums[i]).

The intuition behind the problem is to count how many numbers have the same value after performing the operation number - reversed number. If a certain value occurs k times, any two unique indices with this value will form a nice pair. The number of unique pairs that can be formed from k numbers is given by the formula k * (k - 1) / 2.

We use a hash table (python's Counter class) to store the occurrence of each nums[i] - rev(nums[i]) value. Then, we calculate the sum of the combination counts for each unique nums[i] - rev(nums[i]) value. The Combination Formula is used here to find the number of ways you can select pairs from a group of items.

Finally, remember to apply modulo 10^9 + 7 to our result to get the final answer.

Learn more about Math patterns.

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

Which of the following problems can be solved with backtracking (select multiple)

Solution Approach

The solution uses a clever transformation of the check for a nice pair of indices. Instead of directly checking whether nums[i] + rev(nums[j]) == nums[j] + rev(nums[i]) for each pair, which would be time-consuming, it capitalizes on the insight that if two nums[i] have the same value after subtracting their reverse, rev(nums[i]), they can form a nice pair with any nums[j] that shows the same characteristic.

The following steps outline the implementation:

  1. Define a rev function which, given an integer x, reverses its digits. This is accomplished by initializing y to zero, and then repeatedly taking the last digit of x by x % 10, adding it to y, and then removing the last digit from x using integer division by 10.

  2. Iterate over all elements in nums and compute the transformed value nums[i] - rev(nums[i]) for each element. We use a hash table to map each unique transformed value to the number of times it occurs in nums. In Python, this is efficiently done using the Counter class from the collections module.

  3. Once the hash table is filled, iterate over the values in the hash table. For each value v, which represents the number of occurrences of a particular transformed value, calculate the number of nice pairs that can be formed with it using the combination formula v * (v - 1) / 2. This formula comes from combinatorics and gives the number of ways to choose 2 items from a set of v items without considering the order.

  4. Sum these counts for each unique transformed value to get the total number of nice pairs. Because the count might be very large, the problem requires us to modulo the result by 10^9 + 7 to keep the result within the range of a 32-bit signed integer and to prevent overflow issues.

By transforming the problem and using a hash table to track frequencies of the transformed values, we turn an O(n^2) brute force solution into an O(n) solution, which is much more efficient and suitable for larger input sizes.

The code that accomplishes this:

1class Solution:
2    def countNicePairs(self, nums: List[int]) -> int:
3        def rev(x):
4            y = 0
5            while x:
6                y = y * 10 + x % 10
7                x //= 10
8            return y
9
10        cnt = Counter(x - rev(x) for x in nums)
11        mod = 10**9 + 7
12        return sum(v * (v - 1) // 2 for v in cnt.values()) % mod

In the provided Python code, rev is the function that reverses an integer, and Counter(x - rev(x) for x in nums) creates the hash table mapping each nums[i] - rev(nums[i]) to its frequency. The final summation and modulo operation provide the count of nice pairs as required.

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

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

Example Walkthrough

Let's explain the solution using a small example. Suppose we have the following array:

1nums = [42, 13, 20, 13]

We want to find the count of all "nice" pairs, which means for any two different indices (i, j) with i < j, the condition nums[i] + rev(nums[j]) == nums[j] + rev(nums[i]) holds true. Following the steps defined in the solution:

  1. Define the reverse function: This function reverses the digits of a given number. For example, rev(42) returns 24 and rev(13) returns 31.

  2. Compute transformed values and frequency:

    • For nums[0] = 42: 42 - rev(42) = 42 - 24 = 18
    • For nums[1] = 13: 13 - rev(13) = 13 - 31 = -18
    • For nums[2] = 20: 20 - rev(20) = 20 - 02 = 18
    • For nums[3] = 13 (again): 13 - rev(13) = 13 - 31 = -18

    At this point, we notice that the transformed value 18 occurs twice and also -18 occurs twice.

  3. Use a hash table to map transformed values to frequencies:

    1{ 18: 2, -18: 2 }
  4. Calculate the number of nice pairs using combination formula:

    • For 18, the number of nice pairs is calculated as 2 * (2 - 1) / 2 = 1
    • For -18, similarly, we calculate 2 * (2 - 1) / 2 = 1
  5. Sum the counts and apply modulo: We add up the counts from the previous step to get the total count of nice pairs. So, 1 + 1 = 2. There's no need for the modulo operation in this small example as the result is already small enough.

Hence, the count of nice pairs in this example is 2.

Solution Implementation

1from collections import Counter
2
3class Solution:
4    def countNicePairs(self, nums: List[int]) -> int:
5        # Define a helper function to reverse the digits of a number
6        def reverse_number(x: int) -> int:
7            rev = 0
8            while x > 0:
9                rev = rev * 10 + x % 10  # Append the last digit of x to rev
10                x //= 10  # Remove the last digit from x
11            return rev
12
13        # Create a counter to count the occurrences of differences between 
14        # each number and its reversed version
15        difference_counter = Counter(x - reverse_number(x) for x in nums)
16
17        # Define the modulus for the answer to prevent overflow
18        mod = 10**9 + 7
19
20        # Calculate the number of nice pairs using the formula:
21        # v * (v - 1) // 2 for each count 'v' in the counter
22        # The formula is derived from the combination formula C(n, 2) = n! / (2! * (n - 2)!)
23        # which simplifies to n * (n - 1) / 2
24        nice_pairs_count = sum(v * (v - 1) // 2 for v in difference_counter.values()) % mod
25
26        # Return the total count of nice pairs modulo 10^9 + 7
27        return nice_pairs_count
28
1class Solution {
2    public int countNicePairs(int[] nums) {
3        // Create a HashMap to store the counts of each difference value
4        Map<Integer, Integer> countMap = new HashMap<>();
5      
6        // Iterate through the array of numbers
7        for (int number : nums) {
8            // Calculate the difference between the number and its reverse
9            int difference = number - reverse(number);
10            // Update the count of the difference in the HashMap
11            countMap.merge(difference, 1, Integer::sum);
12        }
13      
14        // Define the modulo value to ensure the result fits within integer range
15        final int mod = (int) 1e9 + 7;
16      
17        // Initialize the answer as a long to handle potential overflows
18        long answer = 0;
19      
20        // Iterate through the values in the countMap
21        for (int count : countMap.values()) {
22            // Calculate the number of nice pairs and update the answer
23            answer = (answer + (long) count * (count - 1) / 2) % mod;
24        }
25      
26        // Cast the answer back to an integer before returning
27        return (int) answer;
28    }
29
30    // Helper function to reverse a given integer
31    private int reverse(int number) {
32        // Set initial reversed number to 0
33        int reversed = 0;
34      
35        // Loop to reverse the digits of the number
36        while (number > 0) {
37            // Append the last digit of number to reversed
38            reversed = reversed * 10 + number % 10;
39            // Remove the last digit from number
40            number /= 10;
41        }
42      
43        // Return the reversed integer
44        return reversed;
45    }
46}
47
1#include <vector>
2#include <unordered_map>
3using namespace std;
4
5class Solution {
6public:
7    // Function to calculate the reverse of a given number
8    int reverseNumber(int num) {
9        int reversedNum = 0;
10        // Iterate over the digits of the number
11        while (num > 0) {
12            reversedNum = reversedNum * 10 + num % 10; // Append the last digit to the reversedNum
13            num /= 10; // Remove the last digit from num
14        }
15        return reversedNum;
16    }
17  
18    // Function to count nice pairs in an array
19    int countNicePairs(vector<int>& nums) {
20        // Create a map to count occurrences of differences
21        unordered_map<int, int> differenceCount;
22      
23        // Iterate over the given numbers
24        for (int& num : nums) {
25            // Calculate the difference between the number and its reverse
26            int difference = num - reverseNumber(num);
27            // Increase the count of the current difference
28            differenceCount[difference]++;
29        }
30      
31        long long answer = 0;
32        const int mod = 1e9 + 7; // Use modulo to avoid integer overflow
33      
34        // Iterate through the map to calculate the pairs
35        for (auto& kvp : differenceCount) {
36            int value = kvp.second; // Extract the number of occurrences
37            // Update the answer using the combination formula C(v, 2) = v! / (2! * (v - 2)!)
38            // Simplifies to v * (v - 1) / 2
39            answer = (answer + 1LL * value * (value - 1) / 2) % mod;
40        }
41      
42        return answer; // Return the final count of nice pairs
43    }
44};
45
1function countNicePairs(nums: number[]): number {
2    // Helper function to reverse the digits of a number
3    const reverseNumber = (num: number): number => {
4        let rev = 0;
5        while (num) {
6            rev = rev * 10 + (num % 10);
7            num = Math.floor(num / 10);
8        }
9        return rev;
10    };
11
12    // Define the modulo constant to prevent overflow
13    const MOD = 10 ** 9 + 7;
14    // Map to keep count of each difference occurrence
15    const countMap = new Map<number, number>();
16    // Initialize the answer to be returned
17    let answer = 0;
18
19    // Loop through the array of numbers
20    for (const num of nums) {
21        // Calculate the difference of the original and reversed number
22        const difference = num - reverseNumber(num);
23        // Update the answer with the current count of the difference
24        // If the difference is not yet encountered, it treats the count as 0
25        answer = (answer + (countMap.get(difference) ?? 0)) % MOD;
26        // Update the count of the current difference in the map
27        countMap.set(difference, (countMap.get(difference) ?? 0) + 1);
28    }
29
30    // Return the final answer
31    return answer;
32}
33
Not Sure What to Study? Take the 2-min Quiz:

Suppose k is a very large integer(2^64). Which of the following is the largest as n grows to infinity?

Time and Space Complexity

Time Complexity

The time complexity of the given code consists of two main operations:

  1. Calculating the reverse of each number and constructing the counter object.
  2. Summing up all pairs for each unique difference (value in the counter object).

The first operation depends on the number of digits for each integer in the nums list. Reversing an integer x is proportional to the number of digits in x, which is O(log M) where M is the value of the integer. Since we perform this operation for each element in the list, the time complexity of this part is O(n * log M).

The second operation involves iterating over each value in the counter object and calculating the number of nice pairs using the formula v * (v - 1) // 2. As there are at most n unique differences (in the case that no two numbers have the same difference), iterating over each value in the counter will be O(n) in the worst case.

Hence, the overall time complexity is dominated by the first part, which is O(n * log M).

Space Complexity

The space complexity is determined by the additional space used by the algorithm beyond the input size. In this case, it is the space used to store the counter object. The counter object could have as many as n entries (in the worst case where each number's difference after reversals is unique).

Therefore, the space complexity of the code is O(n).

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

Fast Track Your Learning with Our Quick Skills Quiz:

What is an advantages of top-down dynamic programming vs bottom-up dynamic programming?


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 👨‍🏫