Write a Python Program to find Sum of N Natural Numbers using While Loop, For Loop, and Functions with an example.
Python Program to find Sum of N Natural Numbers using For Loop
This Python program allows users to enter any integer value. Next, this program calculates the sum of natural numbers from 1 to user-specified value using For Loop.
# Python Program to find Sum of N Natural Numbers number = int(input("Please Enter any Number: ")) total = 0 for value in range(1, number + 1): total = total + value print("The Sum of Natural Numbers from 1 to {0} = {1}".format(number, total))
OUTPUT
Python Program to Calculate Sum of N Natural Numbers using While Loop
In this Python sum of natural numbers program, we just replaced the For Loop with While Loop
# Python Program to find Sum of N Natural Numbers number = int(input("Please Enter any Number: ")) total = 0 value = 1 while (value <= number): total = total + value value = value + 1 print("The Sum of Natural Numbers from 1 to {0} = {1}".format(number, total))
OUTPUT
Python Program to calculate Sum of N Natural Numbers using Functions
In this Python program, we created a new function to find the sum of natural numbers. Inside this function, we used If Else statement.
# Python Program to find Sum of N Natural Numbers def sum_of_n_natural_numbers(num): if(num == 0): return num else: return (num * (num + 1) / 2) number = int(input("Please Enter any Number: ")) total_value = sum_of_n_natural_numbers(number) print("Sum of Natural Numbers from 1 to {0} = {1}".format(number, total_value))
OUTPUT
Python Program to Calculate Sum of N Natural Numbers using Functions
This Python sum of natural numbers program is the same as the above example, but this time we are using Recursion.
# Python Program to find Sum of N Natural Numbers def sum_of_n_natural_numbers(num): if(num == 0): return num else: return (num + sum_of_n_natural_numbers(num - 1)) number = int(input("Please Enter any Number: ")) total_value = sum_of_n_natural_numbers(number) print("Sum of Natural Numbers from 1 to {0} = {1}".format(number, total_value))
OUTPUT