Instagram
youtube
Facebook
Twitter

Find the Average of Numbers

A Python program to calculate the average of a given list of numbers.

Explanation of the Code in Points:

  1. Function Definition (find_average(numbers)):
     
    • Takes a list of numbers as input.
       
    • Calculates the total sum using sum(numbers).
       
    • Find the count of numbers using len(numbers).
       
    • If count > 0, returns the average (total / count).
       
    • If count is 0 (empty list), return 0 to avoid division by zero.
       
  2. User Input (num_list = input(...)):
     
    • The user enters numbers separated by spaces.
       
  3. Convert Input to List (num_list.split()):
     
    • Splits the input string into a list of number strings.
       
  4. Convert Strings to Integers ([int(num) for num in num_list]):
     
    • Converts each element in the list to an integer.
       
  5. Function Call (find_average(num_list)):
     
    • Calls the find_average function with the user-provided list.
       
  6. Print the Result (print("Average:", average)):
     
    • Displays the calculated average.

 

Program:

def find_average(numbers):

    total = sum(numbers)  

    count = len(numbers)  

    if count > 0:

        return total / count  

    else:

        return 0  



num_list = input("Enter numbers separated by space: ")  

num_list = num_list.split()  

num_list = [int(num) for num in num_list]  



average = find_average(num_list)  

print("Average:", average)