Instagram
youtube
Facebook
Twitter

Find the Sum of Digits of a Number Using Recursion

A Python program to find the sum of digits of a number using recursion.

Here’s a explanation of the code in points:

  • Function Definition: sum_of_digits(number) calculates the sum of digits of the given number using recursion.
     
  • Base Case: If the number is 0, the function returns 0 (ending the recursion).
     
  • Recursive Case: If the number is not 0, it adds the last digit (number % 10) to the sum of digits of the rest of the number (sum_of_digits(number // 10)).
     
  • User Input: Takes a number as input from the user.
     
  • Output: Prints the sum of digits of the given number.

 

Program:

def sum_of_digits(number):
    if number == 0:
        return 0
    else:
        return number % 10 + sum_of_digits(number // 10)


num = int(input("Enter a number: "))
print(f"The sum of digits of {num} is {sum_of_digits(num)}")