2354. Number of Excellent Pairs
Problem Description
In this problem, we're presented with an array nums
consisting of 0-indexed positive integers and a positive integer k
. Our goal is to find the number of distinct excellent pairs in the array, where a pair (num1, num2)
is considered excellent if it satisfies two conditions:
- Both
num1
andnum2
exist innums
. - The sum of the number of set bits (bits with value 1) in
num1 OR num2
andnum1 AND num2
must be greater than or equal tok
.
We count the number of set bits using bitwise OR
and AND
operations, and we are looking for pairs that collectively have a large enough number of set bits to meet or exceed the threshold k
.
Also, it's important to note that a pair where num1
is equal to num2
can also be considered excellent if the number of its set bits is sufficient and at least one occurrence of the number exists in the array. Moreover, we want the count of distinct excellent pairs, so the order matters—(a, b)
is considered different from (b, a)
.
Intuition
To find the number of excellent pairs efficiently, we need to think about the problem in terms of set bits because the conditions for an excellent pair depend on the sum of set bits in num1 OR num2
and num1 AND num2
.
One intuitive approach is to use the properties of bitwise operations. For any two numbers, num1 OR num2
will have the highest possible set bit count of the two numbers because OR
operation results in a 1 for each bit that is 1 in either num1
or num2
. On the other hand, num1 AND num2
will have set bits only in positions where both num1
and num2
have set bits.
Since only the set bits matter, and we're looking for pairs (num1, num2)
that meet a certain combined set bit count, we can reduce the complexity by avoiding the direct computation of num1 OR num2
and num1 AND num2
for all pairs. Instead, we preprocess by counting the set bits for each unique number in nums
.
To ensure that we count each distinct pair only once, we eliminate duplicates in the array by converting it into a set. We then create a counter to keep track of how many numbers have a specific set bit count. This preprocessing step simplifies our task to just combining counts from the counter, avoiding the need to directly compute the set bit sum for every possible pair.
When we iterate over the unique numbers in nums
set, we determine the number of set bits for each unique value using bit_count()
. We then iterate through our set bit count counter and add the count of numbers that have enough set bits to complement the current number's set bit count to reach at least k
. This way, we find all the pairs that, when combined, meet or exceed the threshold k
.
By adding the counts for all such complementing set bit count pairs, we calculate the total number of excellent pairs, bypassing the problem of having to generate and check every possible pair, which would be computationally inefficient.
Learn more about Binary Search patterns.
Solution Approach
The given solution employs a combination of bit manipulation and hash mapping to efficiently compute the number of excellent pairs. Let's break down the implementation step-by-step:
-
Eliminating Duplicates: The solution begins by converting the original list of numbers into a set. This serves two purposes:
- Ensures that each number is considered only once, thereby eliminating redundant pairs like
(num1, num1)
whennum1
appears multiple times in the input list. - Helps later in avoiding double counting of excellent pairs with the same numbers but in different positions (since
(a, b)
and(b, a)
are distinct).
s = set(nums)
- Ensures that each number is considered only once, thereby eliminating redundant pairs like
-
Counting Set Bits: Then, the algorithm uses a
Counter
from thecollections
module to keep track of how many numbers share the same set bit count.cnt = Counter() for v in s: cnt[v.bit_count()] += 1
The method
bit_count()
is used to determine the number of set bits in each number. These counts are stored such thatcnt[i]
reflects the number of unique numbers with exactlyi
set bits. -
Finding Excellent Pairs: The core of the solution is to find all the pairs that satisfy the condition of having a combined set bit sum (via bitwise
OR
andAND
) greater than or equal tok
. Since anOR
operation can never reduce the number of set bits, and anAND
operation can only produce set bits that are already set in both numbers, the combined set bit count for a pair(num1, num2)
will be equivalent tobit_count(num1) + bit_count(num2)
.The solution iterates over each unique value
v
from the set of numbers and then checks for every bit counti
stored incnt
if the sum ofbit_count(v)
andi
is greater than or equal tok
.ans = 0 for v in s: t = v.bit_count() for i, x in cnt.items(): if t + i >= k: ans += x
t
holds the number of set bits for the current unique numberv
.- If
t + i
is greater than or equal tok
, all numbers with a set bit counti
can form an excellent pair withv
. The count of such numbers isx
, and we add this to our total count of excellent pairs (ans
). This step leverages the precomputed counts of unique set bit numbers to quickly find the number of complements needed to meet the set bit thresholdk
.
-
Returning the result: Finally, after iterating through all unique numbers and their possible pairings, the solution returns
ans
, which holds the total number of distinct excellent pairs.return ans
In summary, the solution follows a smart preprocessing step to calculate and use set bit counts for optimization. This eliminates redundant operations and directly navigates to the crux of the problem, which significantly improves the computational efficiency.
By employing a hash map to store unique set bit counts and identify complementing pairs, the solution reduces what would be a quadratic-time complexity task to a complexity proportional to the product of unique numbers and unique set bit counts present in the input.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's say we have an array nums = [3, 1, 2, 2]
and k = 3
.
First, we'll apply step 1 and eliminate duplicates by converting nums
into a set, which will give us s = {1, 2, 3}
.
Next, we count set bits in step 2. Every number will be processed as follows:
- 1 has 1 set bit.
- 2 has 1 set bit.
- 3 has 2 set bits.
The Counter
object cnt
turns out to be {1: 2, 2: 1}
, indicating that there are 2 numbers with 1 set bit and 1 number with 2 set bits.
Now for step 3, we find excellent pairs. We go through each number in s
and compare the set bit count with our k
value:
- For
v = 1
with 1 set bit,cnt[1] = 2
. Since1 (set bits of v) + 1 (set bits of another number)
is not>= k
, no excellent pairs are formed withv = 1
. - For
v = 2
also with 1 set bit, the situation is the same as forv = 1
. - For
v = 3
with 2 set bits, we compare it againstcnt
entries.2 (set bits of v) + 1 (set bits of another number)
is>= k
, thus excellent pairs are(3, 1)
and(3, 2)
. Since there are 2 numbers with 1 set bit, we add2
toans
, resulting inans = 2
so far.
Finally, since the pairs (1, 3)
and (2, 3)
are also excellent pairs (order matters), we count them again. This adds another 2
to ans
, making ans = 4
.
After processing all the unique numbers, we follow step 4 and conclude that there are 4
distinct excellent pairs. The pairs that satisfy the conditions are (3, 1)
, (3, 2)
, (1, 3)
, (2, 3)
.
This example demonstrates the solution's efficiency, as it avoids checking all possible combinations of nums
and directly focuses on the set bit counts to find excellent pairs, which is computationally faster.
Solution Implementation
1from collections import Counter
2
3class Solution:
4 def countExcellentPairs(self, nums: List[int], k: int) -> int:
5 # Use a set to eliminate duplicates as each number contributes uniquely
6 unique_nums = set(nums)
7
8 # Counter to store the frequency of bit counts
9 bit_count_freq = Counter()
10
11 # Count the frequency of the bit count for each number
12 for num in unique_nums:
13 bit_count_freq[num.bit_count()] += 1
14
15 excellent_pairs_count = 0 # Initialize the count of excellent pairs
16
17 # Calculate the number of excellent pairs
18 for num in unique_nums:
19 current_bit_count = num.bit_count() # Get the bit count of current number
20
21 # Iterate over the bit count frequencies
22 for bit_count, freq in bit_count_freq.items():
23 # If the sum of bit counts is greater than or equal to k, add to the count
24 if current_bit_count + bit_count >= k:
25 excellent_pairs_count += freq
26
27 # Return the total count of excellent pairs
28 return excellent_pairs_count
29
1class Solution {
2
3 // Method to count the number of excellent pairs
4 public long countExcellentPairs(int[] nums, int k) {
5
6 // Use a set to eliminate duplicate values from 'nums'
7 Set<Integer> uniqueNumbers = new HashSet<>();
8 for (int num : nums) {
9 uniqueNumbers.add(num);
10 }
11
12 long totalPairs = 0; // To store the total number of excellent pairs
13 int[] bitCounts = new int[32]; // Array to store how many numbers have a certain bit count
14
15 // Count the occurrence of each bit count for the unique elements
16 for (int num : uniqueNumbers) {
17 int bits = Integer.bitCount(num); // Count the 1-bits in the binary representation of 'num'
18 ++bitCounts[bits]; // Increase the count for this number of 1-bits
19 }
20
21 // Iterate over the unique numbers to find pairs
22 for (int num : uniqueNumbers) {
23 int bits = Integer.bitCount(num); // Count the 1-bits for this number
24
25 // Check for each possible bit count that could form an excellent pair with 'num'
26 for (int i = 0; i < 32; ++i) {
27 // Check if the sum of 1-bits is at least 'k'
28 if (bits + i >= k) {
29 totalPairs += bitCounts[i]; // If it is, add the count of numbers with 'i' bits to the total
30 }
31 }
32 }
33
34 return totalPairs; // Return the total count of excellent pairs
35 }
36}
37
1#include <vector>
2#include <unordered_set>
3
4class Solution {
5public:
6 long long countExcellentPairs(std::vector<int>& nums, int k) {
7 // Create a set to eliminate duplicates from the input vector
8 std::unordered_set<int> unique_numbers(nums.begin(), nums.end());
9
10 // Array to count the frequency of set bits (1s) in the binary representation of numbers
11 // There are at most 32 bits in an int, so we create an array of size 32
12 std::vector<int> bit_count(32, 0);
13
14 // Count the number of times a number with a particular bit count appears
15 for (int number : unique_numbers) {
16 ++bit_count[__builtin_popcount(number)]; // __builtin_popcount returns the number of bits set to 1
17 }
18
19 // Variable to store the final count of excellent pairs
20 long long excellent_pairs_count = 0;
21
22 // Iterate over each unique number and find the count of numbers that
23 // have the required number of bits for forming an excellent pair with the current number
24 for (int number : unique_numbers) {
25 int current_bit_count = __builtin_popcount(number); // Get bit count of the current number
26 for (int i = 0; i < 32; ++i) {
27 if (current_bit_count + i >= k) {
28 // If the sum of the bit counts of both numbers meets or exceeds k,
29 // add the frequency of the corresponding bit count to the answer
30 excellent_pairs_count += bit_count[i];
31 }
32 }
33 }
34
35 // Return the final count of excellent pairs
36 return excellent_pairs_count;
37 }
38};
39
1function countSetBits(num: number): number {
2 // Function to count the number of set bits in the binary representation of a number
3 let count = 0;
4 while (num > 0) {
5 count += num & 1; // Increment count if the least significant bit is set
6 num >>>= 1; // Logical Right Shift to process the next bit
7 }
8 return count;
9}
10
11function countExcellentPairs(nums: number[], k: number): number {
12 // Set to eliminate duplicates from the input array
13 const uniqueNumbers = new Set<number>(nums);
14
15 // Array to count the frequency of set bits (1s) in the binary representation of numbers
16 // Since integers in JavaScript are represented using 32 bits, we create an array of size 32
17 const bitCount = new Array(32).fill(0);
18
19 // Count the number of times a number with a particular bit count appears
20 uniqueNumbers.forEach(number => {
21 bitCount[countSetBits(number)]++; // Increment the frequency of the bit count
22 });
23
24 // Variable to store the final count of excellent pairs
25 let excellentPairsCount = 0;
26
27 // Iterate over each unique number and find the count of numbers that
28 // have the required number of bits for forming an excellent pair with the current number
29 uniqueNumbers.forEach(number => {
30 const currentBitCount = countSetBits(number); // Get bit count of the current number
31 for (let i = 0; i < 32; i++) {
32 if (currentBitCount + i >= k) {
33 // If the sum of the bit counts of both numbers meets or exceeds k,
34 // add the frequency of the corresponding bit count to the answer
35 excellentPairsCount += bitCount[i];
36 }
37 }
38 });
39
40 // Return the final count of excellent pairs
41 return excellentPairsCount;
42}
43
Time and Space Complexity
The given code counts the number of "excellent" pairs in an array, with a pair (a, b)
being excellent if the number of bits set to 1
in their binary representation (a OR b
) is at least k
.
Time Complexity
The time complexity of the function involves several steps:
-
Creating a set
s
fromnums
: This operation has a time complexity ofO(N)
whereN
is the number of elements innums
, as each element is added to the set once. -
Counting the bit_count
t
of each distinct number ins
: Each call tov.bit_count()
isO(1)
. Since we do this for each number in the sets
, this step has a complexity ofO(U)
, whereU
is the number of unique numbers innums
. -
Populating the
Counter
: This again isO(U)
since we're iterating over the sets
once. -
Running the nested loops, where the outer loop is over each unique value
v
ins
and the inner loop is over the counts inCounter
: Since the outer loop runsO(U)
times and the inner loop runs a maximum ofO(U)
times, the nested loop part has a worse-case complexity ofO(U^2)
.
The total time complexity is, therefore, O(N + U^2)
.
Space Complexity
The space complexity consists of:
-
The set
s
, which takesO(U)
space. -
The
Counter
objectcnt
, which takes anotherO(U)
space.
The additional space for the variable ans
and loop counters is O(1)
.
Hence, the total space complexity of the function is O(U)
, where U
is the count of unique numbers in nums
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following array represent a max heap?
Recommended Readings
Binary Search Speedrun For each of the Speedrun questions you will be given a binary search related problem and a corresponding multiple choice question The multiple choice questions are related to the techniques and template s introduced in the binary search section It's recommended that you have gone through at
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!