Glossary
HTML
CSS
JavaScript
Python
Alias
Booleans
Code block
Conditions
Console
Equality operator
False
Float
For loop
Formatted strings
Functions
Greater than operator
Greater than or equal to operator
If statement
Index
Inequality operator
Integer
Less than operator
Less than or equal to operator
Lists
Parameter
Return
String
The not operator
True
Variables
While loop
append()
insert()
pop()
PYTHON

Understanding the False

Keyword in Python

In Python, False is a built-in constant that represents the boolean value of false. Alongside TrueFalse enables logical and conditional operations. Both constants play a key role in decision-making processes in Python programs.

How to Use False in Python

Using False in the Python programming language is straightforward. You can assign False to a variable or get it as a result of comparison or logical operators.

is_authenticated = False
is_negative = 100 < 0

When to Use False in Python

The False keyword is essential when you need to make decisions based on whether something is true or false. Here are some common use cases:

Conditional Statements

False is essential for conditional statements. If the specified condition of a conditional statement evaluates to False, the block of code below else executes.


Such execution paths often exist in user authentication, feature toggling, or error-checking scenarios.

feature_enabled = False
if feature_enabled:
    print("Feature is enabled.")
else:
    print("Feature is disabled.") # This line executes

Comparisons

Comparisons are a common type of boolean expression. By comparing two variables or values, you can check the relationship between them. The six comparison operators in Python are == (equality), !=  (inequality), <  (less than), >  (greater than), <=  (less than or equal to), and >= (greater than or equal to). Comparisons return False if the evaluated condition doesn't meet the criteria set by the comparison operator.

For example, in a benefit-check scenario, you might compare the age of a user with a certain threshold age.

age = 25

# Multiple comparisons combined with a logical operator
if age >= 65:
    print("Eligible for senior benefits.") # This line won't execute because one comparison is False
else:
    print("Not eligible for senior benefits.")
While Loops
In while loops, False is necessary to terminate the loop when a certain condition is no longer met. Without the condition becoming False, the loop becomes infinite.
counter = 5
while counter > 0:
    print(counter)
    counter -= 1 # Eventually, counter becomes 0, making the condition False
Logical Operations
In Python, boolean values represent the truth of an expression. Logical operations with boolean operators allow you to combine, invert, or compare expressions. The three boolean operators in Python are andor, and not.
a = True
b = False
result1 = a and b # False because both operands are not True result2 = a or b # True because one operand is True
result3 = a and not b # True because a is True and b is not True

Examples of False in Python

The False keyword is ubiquitous in computer programs written in Python. Here are some common examples:
Input Validation
False can flag invalid inputs in a program, prompting the user until they provide valid input.
user_input = ""
while user_input == "":
    user_input = input("Enter a non-empty string: ")
    if user_input == "":
        print("Invalid input. Please try again.") # Executes if user_input is False (empty)
Error Handling
In error handling, False might represent the failure of a function, allowing for alternative execution paths.
def divide(a, b):
    if b == 0:
       return False # Indicates division by zero is not allowed
       return a / b

result = divide(10, 0)
if not result:
    print("Division by zero!") # This line executes
Function Return Values
Functions often return False to indicate that an operation was unsuccessful or didn’t produce a valid result.
def is_prime(number):
    if number <= 1:
        return False # Numbers less than or equal to 1 are not prime
    for i in range(2, number):
        if number % i == 0:
            return False # Number is divisible by a number other than 1 and itself
    return True

print(is_prime(4)) # Output: False

Learn More About False in Python

Python True to False Conversion
In Python, you can convert True to False (and vice versa) using the logical not operator (not). This is useful in scenarios where the opposite boolean value is required.
is_active = True
is_inactive = not is_active # Converts True to False
False in Data Structures
When working with data structures like lists, tuples, or dictionaries, False can be used as a value to represent the absence or falsity of an element.
user_permissions = {"read": True, "write": False} # 'write' permission is False
Falsy Values in Python

Besides the explicit False keyword, several other values are evaluated as False within conditional statements or logical operations. Values that evaluate to False are called "falsy." Here are some common examples of falsy values:

  • 1. Any numeric type with a value of zero, such as 00.0, or 0j (complex number)
  • 2. Empty instances of sequences and collections, including empty strings (''), lists ([]), tuples (()), dictionaries ({}), and sets (set())
  • 3. The None object, which denotes the absence of a value or a null value in Python.

Falsy values allow for concise and expressive conditional checks. Instead of checking if a list is empty by comparing its length to 0, you can also use the list itself:

my_list = []

if not my_list: # This evaluates to True because an empty list is falsy print("The list is empty.")

Similarly, consider checking if a variable has a non-null value. You can simply use the variable in the condition:

my_var = None

if not my_var: # This evaluates to True because None is falsy print("my_var has not been set.")

While using falsy values can make your code more concise, it might also lead to unintended consequences. For example, a function that returns 0 (falsy) will evaluate to False in a conditional check. In such cases, it's important to use more explicit checks to avoid mistakes:

def calculate_discount(items):
    # Imagine this function calculates a discount and can return 0 if no discount is applicable
    return 0

discount = calculate_discount(["apple", "banana"])
if not discount: # This might be misleading as a 0 discount is a valid response but is treated as False
    print("No discount applied.")

In this case, an explicit comparison to 0 would be clearer:

if discount == 0:
    print("No discount applied.")
So, when you work with falsy values in Python, consider the context and the potential for interpretations. Explicit comparisons or checks can help you clarify your intentions and avoid problems.

The bool() Function

Python’s built-in bool() function converts a non-boolean value to a boolean value: True or Falsebool() takes a single argument and returns False for falsy values and True for truthy values.


Consider the following examples:

# Falsy values
print(bool(0)) # Output: False
print(bool('')) # Output: False
print(bool(None)) # Output: False

# Truthy values
print(bool(1)) # Output: True
print(bool('Hello')) # Output: True
print(bool([1, 2, 3])) # Output: True

The bool() function can be helpful to ensure a certain value evaluates to a boolean value. This can be particularly useful in conditional statements, function returns, and data validation.

Learn to Code in Python for Free
Start learning now
To advance beyond this tutorial and learn Python by doing, try the interactive experience of Mimo. Whether you're starting from scratch or brushing up your coding skills, Mimo helps you take your coding journey above and beyond.

Sign up or download Mimo from the App Store or Google Play to enhance your programming skills and prepare for a career in tech.

You can code, too.

© 2023 Mimo GmbH