Problem Definition
Create a Python program to find the largest among the three given numbers.
In this article, we will show you two methods to address this same problem one being the conventional way and the other being the Pythonic way.
Find The Largest Number Using Conditional Statements
- Take inputs from the user and store them in variables
- Compare the numbers
- Print the final result
- End
To understand the program you need to have an understanding of following Python concept.
num1 = float(input("Enter first number: "))
num2 = float(input("Enter second number: "))
num3 = float(input("Enter third number: "))
if (num1 > num2) and (num1 > num3):
largest = num1elif (num2 > num1) and (num2 > num3):
largest = num2else:
largest = num3print("The largest number is",largest)
Runtime Test Cases
Enter first number: 1
Enter second number: 2
Enter third number: 3
The largest number is 3.0
Find The Largest Number Using List Function
num1 = float(input("Enter first number: "))
num2 = float(input("Enter second number: "))
num3 = float(input("Enter third number: "))
my_list = [num1, num2, num3]
Largest = max(my_list)
print("The Largest number is", Largest)
Runtime Test Cases
Enter first number: 1
Enter second number: 2
Enter third number: 3
The largest number is 3.0
In this approach, we are making a list of all the inputs and using the max()
method which returns the item with the highest value in the list.