We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Power of Two

Difficulty: Easy


Problem Description

Given an integer n, return true if it is a power of two. Otherwise, return false. An integer n is a power of two if there exists an integer x such that n == 2^x.


Key Insights

  • A power of two has exactly one bit set in its binary representation.
  • The only non-positive integer that is a power of two is 1 (2^0).
  • For a positive integer n, if n is a power of two, then (n & (n - 1)) should be 0.
  • The number must also be greater than 0 since powers of two are positive.

Space and Time Complexity

Time Complexity: O(1)
Space Complexity: O(1)


Solution

The solution involves checking if the number n is greater than 0 and if n & (n - 1) equals 0. This bit manipulation technique effectively determines if n is a power of two by leveraging the properties of binary numbers.


Code Solutions

def isPowerOfTwo(n: int) -> bool:
    # Check if n is greater than 0 and if n has only one bit set
    return n > 0 and (n & (n - 1)) == 0
← Back to All Questions