Reverse Bits - Bit Manipulation - Easy - LeetCode
💻 coding

Reverse Bits - Bit Manipulation - Easy - LeetCode

1 min read 216 words
1 min read
ShareWhatsAppPost on X
  • 1The task is to reverse the bits of a given 32-bit unsigned integer.
  • 2The solution involves bit manipulation, shifting bits, and using a loop to construct the reversed integer.
  • 3Time complexity is O(log n) and space complexity is O(1), making it efficient for multiple calls.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The task is to reverse the bits of a given 32-bit unsigned integer."

Reverse Bits - Bit Manipulation - Easy - LeetCode

Reverse bits of a given 32 bits unsigned integer.

Example 1:

Input: 00000010100101000001111010011100 Output: 00111001011110000010100101000000 Explanation: The input binary string 00000010100101000001111010011100 represents the unsigned integer 43261596, so return 964176192 which its binary representation is 00111001011110000010100101000000. Example 2:

Input: 11111111111111111111111111111101 Output: 10111111111111111111111111111111 Explanation: The input binary string 11111111111111111111111111111101 represents the unsigned integer 4294967293, so return 3221225471 which its binary representation is 10111111111111111111111111111111.

Note:

Note that in some languages such as Java, there is no unsigned integer type. In this case, both input and output will be given as signed integer type and should not affect your implementation, as the internal binary representation of the integer is the same whether it is signed or unsigned. In Java, the compiler represents the signed integers using 2's complement notation. Therefore, in Example 2 above the input represents the signed integer -3 and the output represents the signed integer -1073741825.

Follow up:

If this function is called many times, how would you optimize it?

Constraints:

The input must be a binary string of length = 32

public class Solution {
 public uint reverseBits(uint n) {
 uint res = 0;
 for(int i=0;i<32;i++)
 {
 res <<= 1;
 res = res + (n & 1);
 n >>=1;
 }
 return res;
 }
}

Time Complexity: O(logn) - i.e number of binary digits.

Space Complexity: O(1)

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 5 October 2020 · 1 min read · 216 words

Part of AskGif Blog · coding

You might also like