2568. Minimum Impossible OR
Problem Description
The problem provides us with an array nums
that is 0-indexed. The goal is to determine the smallest positive non-zero integer that cannot be expressed as the bitwise OR of any subsequence of elements from nums
.
To understand this, recall that a subsequence is a sequence that can be derived from the array by deleting some or no elements without changing the order of the remaining elements. The bitwise OR operation takes two bit patterns of equal length and performs the logical inclusive OR operation on each pair of corresponding bits. A bit is set (1) if one or both bits at that position is 1.
An integer x
is expressible if x
equals the result of the bitwise OR applied to a subsequence of nums
. The problem asks us to find the smallest integer that is not expressible in such a way.
Intuition
Our intuition for solving this problem is based on the properties of the bitwise OR operation. Considering the nature of bitwise OR, any expressible number must be less than or equal to the sum of the max number in nums
and all the largest bits set in the other numbers of nums
.
Notice that if a bit is never set amongst all numbers of the array nums
, then the number that has this bit as the least significant bit that is set (the smallest power of two greater than any of the numbers in nums
) cannot be expressed using the given numbers. This is because you can only set a bit in the result of a bitwise OR operation if that bit is set in at least one number of the subsequence.
The solution takes advantage of this by iteratively checking, starting from the smallest power of two (1, 2, 4, 8, ...), whether each power of two is present in the set s
, which contains all numbers from nums
. When it finds a power of two that is not present, it returns that number as the smallest non-expressible number.
For example, if nums
only contains the number 3 (nums = [3]
), the smallest not expressible number would be 1 << 2, which is 4, since the numbers 1 (1 << 0) and 2 (1 << 1) are expressible from nums
using the numbers 1 and 2 or 3, which when performed bitwise OR operation results in 1 and 2 respectively. However, since 4 is not in nums
, no subsequence can produce a set bit at the position that corresponds to 4.
This code iterates through the powers of two until it finds one not present in the array nums
—that power of two is the smallest number that can't be formed by a bitwise OR of elements of nums
.
Solution Approach
In the provided solution, we see a straightforward approach using Python's set data structure and generator expression:
-
The set data structure
s
is created fromnums
to allow for constant time (O(1)
) lookups when checking if a number is in the set. This operation is critical because the algorithm needs to repeatedly check for the presence of powers of two innums
. -
The generator expression
(1 << i for i in range(32))
iteratively computes powers of two, from1
(i.e.,1 << 0
) up to2**31
(i.e.,1 << 31
). Sincenums
is an array of integers, and the largest integer in a 32-bit system is2**31 - 1
, we don't need to check beyond1 << 31
. -
Using Python's
next
function, we find the first power of two not in sets
by checking if1 << i
is not ins
. Thenext
function will stop at the first occurrence where the condition matches, which is efficient because it avoids unnecessary iterations for higher powers of two that aren't needed. -
The use of bitwise shift
1 << i
is a clever choice because it efficiently calculates powers of two, which are exactly the numbers we need to check. Each power of two has only one bit set, starting from the least significant bit (for1 << 0
) to the 31st bit (for1 << 31
). -
Finally, the result of the
next
function is returned, which is the first power of two that cannot be formed by 'OR'ing any subsequence ofnums
. This value is essentially the answer to the problem.
This approach works because, as previously described, a number that's not in nums
and has a bit set that isn't set in any of nums
is by definition not expressible. Since powers of two have only one bit set, they serve as perfect candidates for finding the smallest such number. This algorithm runs in O(N)
time where N
is the number of elements in nums
due to the set construction. The rest of the operation checking for the first missing power of two runs in constant time because there is a pre-defined limit of 32
iterations (bit sizes of standard integers).
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 use a small example to illustrate the solution approach.
Suppose our input nums
array is [1, 5, 7]
. We want to find the smallest positive non-zero integer that cannot be expressed as the bitwise OR of any subsequence of elements from nums
.
-
First, we convert
nums
into a sets
to benefit from constant time lookup. Our sets
is{1, 5, 7}
. -
Next, we start checking for the smallest power of two that is not present in set
s
using the generator expression(1 << i for i in range(32))
. This will produce[1, 2, 4, 8, ..., 2**31]
. -
The bitwise OR of any subsequence of
[1, 5, 7]
can give us the following results:- Using
1
fromnums
, bitwise OR gives us1
. - Using
5
fromnums
, bitwise OR gives us5
. - Using
7
fromnums
, bitwise OR gives us7
. - By performing bitwise OR on
1
and5
, we get1 | 5 = 5
. - By performing bitwise OR on
1
and7
, we get1 | 7 = 7
. - By performing bitwise OR on
5
and7
, we get5 | 7 = 7
. - By using all elements
1, 5, 7
, we get1 | 5 | 7 = 7
.
- Using
-
From the above bitwise OR operations, we know that
1
and5
are expressible. Now we need to check for the smallest power of two not ins
. -
Going through the powers of two, we find:
1
is ins
(1
is expressible).2
is not ins
, but we can get2
by expressing1 | 1 = 2
(2
is expressible).4
is not ins
, and we cannot create it by using a bitwise OR on any of the available numbers since none of them has the third bit set.
-
Since
4
(which is1 << 2
) cannot be expressed by any subsequence ofnums
, it is the smallest number that cannot be formed by a bitwise OR of elements from this array. Thus,4
is the smallest expressible number for the givennums
.
By following these steps using the provided solution approach, we conclude that for the input array [1, 5, 7]
, the smallest positive non-zero integer that cannot be expressed as the bitwise OR of any subsequence of elements from nums
is 4
.
Solution Implementation
1from typing import List
2
3class Solution:
4 def minImpossibleOR(self, nums: List[int]) -> int:
5 # Create a set of unique values from the nums list for fast lookup
6 unique_numbers = set(nums)
7
8 # Iterate over the range of 32 bits, which is sufficient for all integers
9 for i in range(32):
10 # Calculate the current power of two
11 power_of_two = 1 << i
12
13 # Check if this power of two is not in the unique_numbers set
14 if power_of_two not in unique_numbers:
15 # Return the smallest power of two that is not in the set
16 # This value cannot be formed by OR operations of the numbers in the set
17 return power_of_two
18
19# The next() function and generator expression were replaced with a for loop
20# for improved readability and understanding.
21
1class Solution {
2 public int minImpossibleOR(int[] nums) {
3 // Initialize a hash set to store unique OR results
4 Set<Integer> uniqueORResults = new HashSet<>();
5
6 // Add all numbers from the input array to the set
7 for (int number : nums) {
8 uniqueORResults.add(number);
9 }
10
11 // Loop through each bit position starting from 0
12 for (int i = 0; ; ++i) {
13 // Calculate the current power of 2 (1 shifted i times to the left)
14 int powerOfTwo = 1 << i;
15
16 // If the set does not contain this power of two,
17 // it means that we've found the minimum impossible OR result
18 if (!uniqueORResults.contains(powerOfTwo)) {
19 return powerOfTwo;
20 }
21 }
22 // The loop above is infinite, as it does not have a breaking condition.
23 // It is assumed that the function will always find a minimum impossible OR
24 // and return from inside the loop.
25 }
26}
27
1#include <vector>
2#include <unordered_set>
3
4class Solution {
5public:
6 // This function finds the minimum impossible OR-sum for a given set of numbers.
7 int minImpossibleOR(vector<int>& nums) {
8 // Create a set to store unique values from nums for efficient look-up.
9 unordered_set<int> uniqueNums(nums.begin(), nums.end());
10
11 // Iterate to find the smallest power of 2 that is not present as OR-sum in nums.
12 for (int i = 0; ; ++i) {
13 // Check if the current power of 2 is missing from the set.
14 if (uniqueNums.count(1 << i) == 0) {
15 // If missing, this is the minimum impossible OR-sum, so return it.
16 return 1 << i;
17 }
18 }
19
20 // The loop is guaranteed to break at the return statement,
21 // hence there is no explicit return value outside of the loop.
22 // This works under the assumption that at some i, `1 << i` won't be in `uniqueNums`.
23 }
24};
25
1function minImpossibleOR(nums: number[]): number {
2 // Initialize a set to store unique elements from the input array
3 const uniqueElements: Set<number> = new Set();
4
5 // Iterate over the input array and add each number to the set
6 for (const num of nums) {
7 uniqueElements.add(num);
8 }
9
10 // Start checking for the smallest missing integer with 0
11 let missingInteger = 0;
12
13 // Iterate indefinitely as we will return from within the loop when the condition is met
14 while (true) {
15 // Check if the current power of 2 (1 shifted left by missingInteger places) is not in the set
16 if (!uniqueElements.has(1 << missingInteger)) {
17 // If it's not in the set, we found our smallest missing integer and return it
18 return 1 << missingInteger;
19 }
20 // If it is in the set, increment missingInteger to check the next power of 2
21 missingInteger++;
22 }
23}
24
Time and Space Complexity
The time complexity of the provided code is O(1)
. This is because the number of iterations is bound by 32, which corresponds to the number of bits in an integer when using a standard 32-bit representation. The loop will run at most 32 times, regardless of the input size, because it checks for the presence of powers of two (using 1 << i
) in the set s
.
The space complexity of the code is also O(1)
. The set s
is created with the elements of the input list nums
, but this does not depend on the size of the input with respect to the range of numbers (0 to 31) we are checking. Hence, the space used by the set is constant with respect to the size of the input list. The only other space utilized is the space for the variable i
and the output which is also constant.
Learn more about how to find time and space complexity quickly using problem constraints.
You are given an array of intervals where intervals[i] = [start_i, end_i]
represent the start and end of the ith
interval. You need to merge all overlapping intervals and return an array of the non-overlapping intervals that cover all the intervals in the input.
Recommended Readings
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
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!