Python Booleans ๐¶
Mentor's Note: Programming is mostly about making decisions. Booleans are the "Yes" and "No" of the computer world! ๐ก
๐ The Scenario: The Gatekeeper โฉ๏ธ¶
Imagine you are at a theme park.
- The Logic: The gatekeeper checks your height. If you are taller than 4 feet, the answer is Yes (True). If you are shorter, the answer is No (False). ๐ฆ
- The Result: You either enter the ride or stay out. Every logic gate in code is just a Booleans test! โ
๐ Concept Explanation¶
1. Boolean Values¶
In Python, there are only two values: True and False. (Note the capital letters!).
2. Truthy vs. Falsy ๐ญ¶
Almost every value in Python has an inherent "truth" value.
| Type | Falsy (False) | Truthy (True) |
|---|---|---|
| Numbers | 0, 0.0 |
Any non-zero number (1, -5) |
| Strings | "" (Empty) |
Any non-empty string (" " or "Hi") |
| Collections | [], (), {} (Empty) |
Any list with items |
| Special | None |
- |
๐จ Visual Logic: The bool() Mirror ๐ช¶
graph TD
A[Data Value] --> B{bool() function}
B -- "0, '', [], None" --> C[False โ]
B -- "Everything else" --> D[True โ
]
๐ป Implementation: Logic Lab¶
# ๐ Scenario: Checking Account Access
# ๐ Action: Evaluating expressions
age = 25
has_ticket = True
# Simple check
print(age > 18) # True โ
# Truthy check
name = "Vishnu"
if name:
print(f"Hello {name}!") # Runs because name is not empty!
# Falsy check
errors = 0
if not errors:
print("System Healthy!") # Runs because 0 is False.
๐ Sample Dry Run (Check)¶
| Value | Evaluation | Reason |
|---|---|---|
bool("0") |
True โ
|
It's a non-empty string. |
bool(0) |
False โ |
Zero is always false. |
bool([False]) |
True โ
|
The list is NOT empty (it contains an item). |
๐ Technical Analysis¶
- Math: In Python,
True == 1andFalse == 0. You can actually use them in arithmetic (e.g.,True + True = 2), though this is not recommended for clean code!
๐ฏ Practice Lab ๐งช¶
Task: The Empty Checker
Task: Ask for user input and print "Warning: Empty name" if the user just presses Enter without typing anything.
Hint: Use if not user_input:! ๐ก
๐ก Pro Tip: "Logic will get you from A to B. Imagination will take you everywhere." - Albert Einstein