Write a Python program to find the largest number in a list of integers
Answers:
Certainly! Below is a simple Python program that finds the largest number in a list of integers.
def find_largest_number(numbers): # Check if the list is empty if not numbers: return None # Return None if the list is empty # Initialize the largest number as the first element of the list largest_number = numbers[0] # Loop through each number in the list for number in numbers: # Update the largest number if the current number is greater if number > largest_number: largest_number = number return largest_number # Example usage if __name__ == "__main__": num_list = [10, 55, 23, 78, 34, 88, 99, 2] largest = find_largest_number(num_list) if largest is not None: print("The largest number in the list is:", largest) else: print("The list is empty.")
Explanation:
- The
find_largest_number
function takes a list of numbers as input. - It checks if the list is empty; if so, it returns
None
. - It initializes a variable
largest_number
with the first element of the list. - It then iterates through each number in the list and updates
largest_number
if the current number is greater. - Finally, it returns the largest number found.
Example Usage:
You can call the program by placing a list of integers in
num_list
, and it will print the largest number. If the list is empty, it will inform you that the list is empty.- The