Python Program to Find the Largest Among Three Numbers

1 min read

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

  1. Take inputs from the user and store them in variables
  2. Compare the numbers
  3. Print the final result
  4. 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 = num1
elif (num2 > num1) and (num2 > num3):
   largest = num2
else:
   largest = num3

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

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.


PROGRAMS

Latest Articles

Latest from djangocentral

Capturing Query Parameters of request.get in Django

In Django, the request object contains a variety of information about the current HTTP request, including the query parameters. Query parameters are a way to pass additional information in the URL and are used to filter or sort data. The request object p…
Read more →

2 min read

Understanding related_name in Django Models

In Django, related_name is an attribute that can be used to specify the name of the reverse relation from the related model back to the model that defines the relation. It is used to specify the name of the attribute that will be used to access the relat…
Read more →

2 min read