Introduction to the While Loop

Last time, we discussed the concept of loops in Python and how they would apply to our data science journey. Specifically, we learned how to code for loops in various scenarios. This time, we’ll talk about the other major type of loop, its use cases, its syntax and how to apply it to various situations.

In Python, the while loop is a powerful construct that allows you to execute a block of code repeatedly as long as a specified condition is true. Unlike the for loop which iterates over a predefined number of iterations, the while loop is condition-controlled. This makes it particularly useful when the number of iterations is unknown or when the loop needs to continue until a specific condition changes.

The while loop shines in scenarios where you need continuous checking and execution based on dynamic conditions. For example, you might use a while loop to monitor user input until valid data is entered, or to perform calculations until a certain threshold is reached.

Basic Syntax of the While Loop

Similar to the for loop, the syntax of the while loop is straightforward and can be used to manage the flow of control in your program effectively.

while condition:
 # Code block to execute

The for loop’s code can be broken down into just two components:

  • Condition. A Boolean (true or false) expression that is evaluated before each iteration of the loop. If the condition is True, the code block inside the loop is executed. If it evaluates to False, the loop stops executing, and the program continues with the next statement after the loop.
  • Code Block. The indented block of code that will be executed repeatedly as long as the condition is True. This block can contain one or more statements and may include nested loops or conditional statements.

Here’s an example of a simple while loop in the form of a short program that counts down:

count = 5
while count > 0:
 print(count)
  count -= 1  # Decrement the count by 1
print("Countdown finished!")

Expected Output

5
4
3
2
1
Countdown finished!

Code Breakdown

  • Initial Setup. We start by setting count to 5. This variable will be used to control the loop.
  • Condition. The loop condition count > 0 ensures that the loop runs as long as count is greater than 0.
  • Code Block.
    • print(count): Prints the current value of count.
    • count -= 1. Decreases the value of count by 1 in each iteration, moving it closer to the point where the condition becomes False. Basically, it starts with 5 but decreases by 1 with each iteration until it hits 0, which triggers the exit condition.
  • Exit Condition. Once count is no longer greater than 0, the condition evaluates to False, and the loop terminates. The program then prints “Countdown finished!”

Obviously, there are more sophisticated uses of while loops that this. Let’s delve deeper into common use cases for this Python  construct and how to code each one in the next section.

Use Cases of the While Loop

To give you a better idea of the real world applications of while loops, here are some examples:

Example 1: User Input Validation

A common use case for a while loop is to validate user input, ensuring that a user provides valid data before proceeding with the program as seen in login pages, squeeze page forms and survey forms.  The loop continues to prompt for input until the user enters a valid number.

# Initialize the variable
user_input = ''
# Prompt for user input until a valid number is entered
while not user_input.isdigit() or int(user_input) <= 0:
 user_input = input("Enter a positive number: ")
print(f"You entered: {user_input}")

Expected Output

Enter a positive number: -5
Enter a positive number: abc
Enter a positive number: 10
You entered: 10

Code Breakdown

  • Initial Setup. The user_input variable is initialized as an empty string.
  • Condition. The loop checks whether user_input is not a digit or is less than or equal to zero. The isdigit() method verifies if the input string consists only of digits.
  • Code Block.
    • input(“Enter a positive number: “): Prompts the user for input.
    • The loop repeats until the user enters a valid positive number, ensuring robust input handling.

Example 2. Searching in a List

The while loop can also be used to search for a specific item in a list. The loop iterates through the list elements until the desired item is found or the end of the list is reached.

# List of fruits
fruits = ['apple', 'banana', 'cherry', 'date', 'fig']
# Initialize variables
index = 0
fruit_to_find = 'cherry'
found = False

 

# Loop through the list to find the fruit
while index < len(fruits) and not found:
  if fruits[index] == fruit_to_find:
   found = True
  else:
   index += 1
if found:
  print(f"{fruit_to_find} found at index {index}.")
else:
  print(f"{fruit_to_find} not found in the list.")

Expected Output

cherry found at index 2.

Code Breakdown

  • Initial Setup. A list of fruits is defined, along with variables to track the index, the fruit to find, and a boolean flag found to indicate whether the fruit has been found.
  • Condition. The loop continues as long as the index is less than the length of the list and the fruit has not been found.
  • Code Block.
    • The loop checks if the current fruit matches the fruit_to_find.
    • If found, the found flag is set to True; otherwise, the index is incremented to check the next item.

In both examples, the loop ends when the Boolean condition changes. This gives your code a great degree of control, though it’s not the only way to achieve that. For even more precise control over your while loops, read on to the next section.

Using Break and Continue with While Loops

The break and continue statements provide additional control over the flow of while loops. These statements allow you to either exit a loop prematurely or skip certain iterations, respectively. By doing so, you can add greater flexibility over the code while preventing the occurrence of troublesome bugs.

Using Break to Exit a Loop

The break statement is used to terminate a loop immediately, regardless of the condition. This is particularly useful when you need to stop the loop once a certain condition is met or an event occurs.

Break Example: Searching for a Value in a List

In this example, the break statement is used to exit the loop as soon as a specific fruit is found in the list.

# List of fruits
fruits = ['apple', 'banana', 'cherry', 'date', 'fig']

 

# Fruit to find
fruit_to_find = 'cherry'
found = False

 

# Loop through the list to find the fruit
index = 0
while index < len(fruits):
  if fruits[index] == fruit_to_find:
   found = True
  break  # Exit the loop immediately
   index += 1

 

if found:
  print(f"{fruit_to_find} found at index {index}.")
else:
  print(f"{fruit_to_find} not found in the list.")

Expected Output

cherry found at index 2.

Using Continue to Skip an Iteration

The continue statement is used to skip the current iteration of the loop and move to the next iteration immediately. This can be useful when you want to bypass specific conditions without terminating the entire loop.

Continue Example: Skipping Even Numbers

In this example, the continue statement is used to skip the processing of even numbers in a list.

# List of numbers
numbers = [1, 2, 3, 4, 5, 6]

 

# Iterate over the numbers and skip even ones
index = 0
while index < len(numbers):
  if numbers[index] % 2 == 0:
   index += 1
   continue  # Skip even numbers
  print(f"Odd number: {numbers[index]}")
  index += 1

Expected Output

Odd number: 1
Odd number: 3
Odd number: 5

Code Breakdown Condition. The loop iterates over each element in the fruits list.

  • Break Usage. When the fruit_to_find is encountered, break exits the loop immediately, saving processing time once the item is found.

Continue Statement

  • Condition. The loop checks each number in the numbers list.
  • Continue Usage. For even numbers, continue skips the remaining code in the loop and moves to the next iteration, effectively ignoring even numbers.

These examples show how the break and continue statements provide powerful ways to control loop execution, allowing for more precise and efficient logic handling. In the next section, we will discuss the dreaded infinite loops, how they occur, and strategies to avoid them.

Infinite Loops and How to Avoid Them

An infinite loop happens when a loop continues to execute indefinitely because the loop’s terminating condition is never met. While infinite loops can sometimes be useful in specific scenarios, such as running a server or monitoring a system, they are usually unintended and can cause programs to freeze or crash. Understanding how to avoid infinite loops is crucial for writing efficient and error-free code, especially for while loops.

What Causes Infinite Loops?

An infinite loop typically spawns from one of the following situations:

  • Condition is Always True. The while loop’s condition never evaluates to False. For example, a loop with a condition that always returns True will never exit.
while True:
  print("This will run forever")
  • Incorrect Update of Loop Variables. The while loop variable that controls the condition is not updated correctly within the loop, causing the condition to remain true indefinitely.
count = 0
while count < 5:
  print(count)
   # Missing count += 1 to update the condition

In this scenario, count will always be less than 5 since the statement to add to it does not exist, making the loop run forever.

Strategies to Avoid Infinite Loops

At some point in your coding career, you’ll create infinite loops. It happens to the best of us and it’s just part of the learning curve. Of course, you’ll want to avoid it as much as you possibly can, so here are some best practices to help you do just that:

  1. Ensure Condition Changes.
    • Always ensure that the condition controlling the loop will eventually become False. This usually involves correctly updating the loop variable within the loop.
count = 0
while count < 5:
  print(count)
  count += 1  # Correct update to avoid infinite loop
  1. Use a Safe Exit Condition.
    • Include a safety mechanism, such as a break statement, within the loop to ensure there’s always a way to exit, even if the main condition fails.
attempts = 0
while True:
  user_input = input("Enter 'exit' to quit: ")
   if user_input == 'exit':
  break  # Safely exit the loop
   attempts += 1
   if attempts > 10:
    print("Too many attempts, exiting.")
    break  # Another safety to avoid infinite loop
  1. Limit Iterations.
    • Use a counter to limit the number of iterations if the exact number of loops is uncertain. This can prevent the loop from running indefinitely due to unforeseen conditions. In the example below, the loop ends after 10 iterations since we know that number is too much and there’s something amiss if the iterations hit it:
count = 0
while count < 100:
  print("Running iteration", count)
   count += 1
  if count == 10:
   break  # Prevent infinite loop by limiting iterations

Detecting and Debugging Infinite Loops

If you suspect an infinite loop in your code, here’s what you can do to find it and fix it if it’s there:

  • Utilize Print Statements. Use print statements to track the loop’s execution and check if the loop is iterating as expected. For instance:
count = 0
while count < 5:
  print(f"Current count: {count}")
    # Missing update here might lead to infinite loop
  • Debugging Tools. Utilize debugging tools to step through your loop and observe variable changes to identify where the condition is failing to change. Watchdog timers and timeout mechanisms are good starting points.

Handling Intentional Infinite Loops

In cases where an infinite loop is intentional, such as waiting for user input or running a server, ensure that there are clear and controlled exit points, like break conditions or user commands.

while True:
  command = input("Enter command (type 'exit' to quit): ")
  if command == 'exit':
   break  # Controlled exit from the intentional infinite loop
  else:
   print(f"Executing {command}")

While infinite loops can be powerful in the right context, they often lead to errors if not handled carefully. By ensuring your loop conditions can change and incorporating safe exit strategies, you can avoid the pitfalls of unintended infinite loops and write more robust Python code.

Nested While Loops

In some scenarios, you may encounter situations where a single while loop is not enough to achieve the desired functionality. This is where nested while loops come into play. A nested while loop is simply a while loop inside another while loop. These can be used to handle more complex tasks, such as processing multi-dimensional data or iterating over multiple conditions simultaneously.

When you nest while loops, the inner loop will complete all its iterations for each iteration of the outer loop. This can be particularly useful when working with structures like matrices (two-dimensional lists) or when you need to repeat a set of operations at multiple levels.

Processing a Matrix

Consider a scenario where you have a matrix (a list of lists) and you want to iterate through each element of the matrix to perform an operation, such as summing all elements.

# Define a 2D list (matrix)
matrix = [
  [1, 2, 3],
  [4, 5, 6],
  [7, 8, 9]
]
# Initialize a variable to hold the sum
total_sum = 0 
# Outer loop iterates through each row
row_index = 0
while row_index < len(matrix):
  # Inner loop iterates through each element in the row
  col_index = 0
  while col_index < len(matrix[row_index]):
   total_sum += matrix[row_index][col_index]
   col_index += 1  # Move to the next column
  row_index += 1  # Move to the next row
 print(f"The sum of all elements in the matrix is: {total_sum}")

Expected Output

The sum of all elements in the matrix is: 45

Code Breakdown

  • Outer Loop. The outer while loop iterates through each row of the matrix. row_index controls this iteration and is incremented after each row is processed.
  • Inner Loop. The inner while loop iterates through each element in the current row. col_index controls this iteration and is incremented after each element in the row is processed.
  • Inside the inner loop, each element of the matrix is accessed using matrix[row_index][col_index] and added to total_sum.

As seen in the example, nested while loops can be used to process multi-dimensional data structures like matrices. Each loop level corresponds to a different dimension (rows and columns in this case).

Multiple Conditions with Nested While Loops

Nested while loops are also useful when you need to handle multiple conditions that interact with each other. For example, you might want to model a scenario where two variables need to be adjusted simultaneously until both meet specific criteria.

# Initialize two variables
x = 10
y = 5
# Outer loop checks the first condition
while x > 0:
  print(f"x is {x}, starting inner loop for y")
 # Inner loop checks the second condition
  while y > 0:
   print(f"    y is {y}")
  y -= 1  # Decrease y until it reaches 0
 x -= 2  # Decrease x by 2 in each iteration of the outer loop
 y = 5  # Reset y to its initial value for the next outer loop iteration
 print("Both loops have completed.")

Expected Output

x is 10, starting inner loop for y
  y is 5
  y is 4
  y is 3
  y is 2
  y is 1
x is 8, starting inner loop for y
  y is 5
  y is 4
  y is 3
  y is 2
  y is 1
...
x is 2, starting inner loop for y
  y is 5
  y is 4
  y is 3
  y is 2
  y is 1
Both loops have completed.

Code Breakdown

  • Outer Loop. The outer loop decreases x by 2 in each iteration and runs as long as x is greater than 0.
  • Inner Loop. The inner loop decreases y until it reaches 0. Once y reaches 0, the inner loop completes, and the outer loop continues. After each outer loop iteration, y is reset to 5 to ensure the inner loop runs fully again on the next pass.
  • Interaction. This example shows how nested loops can interact when you have multiple conditions that need to be managed simultaneously.

Nested while loops can significantly enhance the complexity and capability of your Python code, allowing you to handle scenarios where multiple layers of iteration or condition-checking are required.

I know, that’s a lot to digest right now but trust me when I say that the time you invest in becoming competent in while loops will pay in spades sooner than later. Take it easy because Python programming isn’t something you learn overnight. It takes dozens of projects to really get the hang of it, so stay patient and you’ll be rewarded.

About Glen Dimaandal

Picture of Glen Dimaandal
Glen Dimaandal is a data scientist from the Philippines. He has a post-graduate degree in Data Science and Business Analytics from the prestigious McCombs School of Business in the University of Texas, Austin. He has nearly 20 years of experience in the field as he worked with major brands from the US, UK, Australia and the Asia-Pacific. Glen is also the CEO of SearchWorks.PH, the Philippines' most respected SEO agency.
Picture of Glen Dimaandal
Glen Dimaandal is a data scientist from the Philippines. He has a post-graduate degree in Data Science and Business Analytics from the prestigious McCombs School of Business in the University of Texas, Austin. He has nearly 20 years of experience in the field as he worked with major brands from the US, UK, Australia and the Asia-Pacific. Glen is also the CEO of SearchWorks.PH, the Philippines' most respected SEO agency.
ARTICLE & NEWS

Check our latest news

In data science, saving progress is essential. Just like saving your progress in a video game…

In our last lesson, we introduced the concept of Python packages and NumPy in particular. Short…

Now that we have a solid handle on basic Python programming, we can move on to…

Ready to get started?

Reveal the untapped potential of your data. Start your journey towards data-driven decision making with Griffith Data Innovations today.