Problem Description
You are given an array nums
of non-negative integers and an integer k
. An array is called special if the bitwise OR of all of its elements is at least k
. Return the length of the shortest special non-empty subarray of nums
, or return -1
if no special subarray exists.
Key Insights
- The subarray's bitwise OR can only increase as more elements are added.
- A single element can be a valid subarray if it is greater than or equal to
k
. - A sliding window approach helps efficiently find the shortest subarray with the required OR value.
- We can use a deque to maintain the starting points of subarrays to quickly check their lengths when a valid OR is found.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(n)
Solution
To solve the problem, we will utilize a sliding window approach combined with a deque to maintain the starting indices of potential subarrays. The key steps are:
- Initialize a variable to keep track of the current OR value of the subarray.
- Use two pointers to represent the start and end of the subarray.
- Expand the end pointer to include more elements in the subarray and update the OR value.
- When the OR value meets or exceeds
k
, check the length of the current subarray and update the minimum length found. - Move the start pointer to try to minimize the length while maintaining the OR condition.
- If no valid subarray is found, return
-1
.