2 min read
Create a Python program to find the smallest among the three given numbers, taking runtime inputs from the user.
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.
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: "))
smallest = num1
if (num2 < num1) and (num2 < num3):
smallest = num2
elif (num3 < num1):
smallest = num3
print("The smallest number is", smallest)
Enter first number: 90
Enter second number: 34
Enter third number: 69
The smallest number is 34.0
First, the program is taking input from the keyboard using the built-in input()
function. Although we do need to change the datatype of the inputs to either integer or float, we are converting the input to float for more accuracy.
Next, there are 3 conditional statements which will store the smallest number into the variable smallest
which later gets printed out.
num1 = float(input("Enter first number: "))
num2 = float(input("Enter second number: "))
num3 = float(input("Enter third number: "))
my_list = [num1, num2, num3]
smallest = min(my_list)
print("The smallest number is", smallest)
Enter first number: 90
Enter second number: 34
Enter third number: 69
The smallest number is 34.0
In this approach, we are making a list of all the inputs and using the min()
method which returns the item with the lowest value in the list.
Latest from djangocentral
2 min read
2 min read