Instagram
youtube
Facebook
Twitter

Convert Decimal to Binary Using Recursion

A Python program to convert a decimal number to binary using a recursive function.

 Code Explanation in Short Points

  1. Function Definition (decimal_to_binary(n))
     
    • A recursive function to convert a decimal number to binary.
       
  2. Base Case (if n <= 1)
     
    • If n is 0 or 1, return it as a string.
       
  3. Recursive Case (decimal_to_binary(n // 2) + str(n % 2))
     
    • Recursively call the function with n // 2.
       
    • Append the remainder (n % 2) to the result.
       
  4. User Input (num)
     
    • Takes a decimal number as input using int(input()).
       
  5. Function Call (decimal_to_binary(num))
     
    • Calls the function and prints the binary result.

 

Program:

def decimal_to_binary(n):

    if n <= 1:

        return str(n)

    return decimal_to_binary(n // 2) + str(n % 2)



num = int(input("Enter a decimal number: "))

print("Binary:", decimal_to_binary(num))