Sign in with Google

Google will share your name, email, and profile picture with DevExCode. See our privacy policy.

LeetCode 3315: Construct the Minimum Bitwise Array II

ArrayBit Manipulation

LeetCode 3315 Solution Explanation

Explanation

To solve this problem, we need to find an array ans such that for each index i, the bitwise OR of ans[i] and ans[i] + 1 equals nums[i]. We aim to minimize each value of ans[i] while satisfying this condition. If it's not possible, we set ans[i] = -1.

We can observe that for a given nums[i], we need to find the smallest number ans[i] such that ans[i] OR (ans[i] + 1) = nums[i]. This means that the highest unset bit in nums[i] should be set in ans[i] while keeping all lower-order bits unchanged. If there is no such number, we set ans[i] = -1`.

LeetCode 3315 Solutions in Java, C++, Python

class Solution {
    public int[] minBitwiseArray(int[] nums) {
        int n = nums.length;
        int[] ans = new int[n];
        
        for (int i = 0; i < n; i++) {
            int highestBit = Integer.highestOneBit(nums[i]);
            if ((highestBit | nums[i]) != (nums[i] + 1)) {
                ans[i] = -1;
            } else {
                ans[i] = highestBit - 1;
            }
        }
        
        return ans;
    }
}

Interactive Code Editor for LeetCode 3315

Improve Your LeetCode 3315 Solution

Use the editor below to refine the provided solution for LeetCode 3315. Select a programming language and try the following:

  • Add import statements if required.
  • Optimize the code for better time or space complexity.
  • Add test cases to validate edge cases and common scenarios.
  • Handle error conditions or invalid inputs gracefully.
  • Experiment with alternative approaches to deepen your understanding.

Click "Run Code" to execute your solution and view the output. If errors occur, check the line numbers and debug accordingly. Resize the editor by dragging its bottom edge.

Loading editor...

Related LeetCode Problems