Conditional statements in Python allow you to execute certain blocks of code based on whether a specified condition is true or false. They are fundamental to programming as they enable decision-making in your code. The most common conditional statements are if
, elif
, and else
. Let’s dive into some practical examples to see how these work in real scenarios.
This example demonstrates how to determine if a person is eligible to vote based on their age. It’s a common real-world scenario where conditions influence outcomes.
age = 18
if age >= 18:
print("You are eligible to vote.")
else:
print("You are not eligible to vote yet.")
In this example, we check if the age is greater than or equal to 18. If it is, the program prints that the person is eligible to vote. If not, it states they are not eligible. This is a straightforward application of an if-else statement.
This example illustrates a simple grading system that assigns letter grades based on numerical scores. It’s useful for educational applications.
score = 85
if score >= 90:
grade = 'A'
elif score >= 80:
grade = 'B'
elif score >= 70:
grade = 'C'
elif score >= 60:
grade = 'D'
else:
grade = 'F'
print(f"Your grade is: {grade}")
Here, we evaluate a score and assign a corresponding letter grade. By using elif
, we can check multiple conditions in a clean and organized manner. The final print statement displays the resulting grade based on the score.
In this example, we create a basic weather suggestion tool that recommends an outfit based on the temperature. This showcases how conditions can lead to different outputs.
temperature = 75
if temperature > 80:
suggestion = "Wear a t-shirt and shorts."
elif temperature > 60:
suggestion = "A light jacket is a good choice."
elif temperature > 40:
suggestion = "You might want a warm coat."
else:
suggestion = "Stay indoors, it's too cold!"
print(suggestion)
In this case, we assess the temperature and suggest clothing accordingly. The use of multiple elif
statements allows us to provide various suggestions based on the range of temperatures.
By understanding these examples of conditional statements in Python, you can start implementing logic into your own programs, making them more dynamic and responsive to different situations!