Notice: This page requires JavaScript to function properly.
Please enable JavaScript in your browser settings or update your browser.
Break/Continue in a Nested Loop | Nested Loops
Python Loops Tutorial

bookBreak/Continue in a Nested Loop

Let's apply the concepts of break and continue to analyze travel costs practically. We'll combine a while loop and a for loop to process expenses across multiple trips.

Example: break in Mixed Nested Loops

Imagine you have multiple trips, and each trip has a list of expenses. If any expense exceeds a specific budget threshold, we will stop processing that trip immediately.

# List of trips with their respective expenses
travel_costs = [
[100, 150, 300, 50], # Trip 1
[200, 500, 100, 80], # Trip 2
[120, 180, 400, 150] # Trip 3
]

# Budget threshold
budget = 200

# Outer while loop to iterate through trips
i = 0
while i < len(travel_costs):
print(f"Processing expenses for Trip {i + 1}:")
# Inner for loop to iterate through expenses
for cost in travel_costs[i]:
if cost > budget: # If expense exceeds the budget, stop processing the current trip
print(f"Expense {cost} exceeds the budget. Stopping this trip.")
break
print(f"Expense: ${cost}")
i += 1 # Move to the next trip
print("") # Add a new line for readability
123456789101112131415161718192021222324
# List of trips with their respective expenses travel_costs = [ [100, 150, 300, 50], # Trip 1 [200, 500, 100, 80], # Trip 2 [120, 180, 400, 150] # Trip 3 ] # Budget threshold budget = 200 # Outer while loop to iterate through trips i = 0 while i < len(travel_costs): print(f"Processing expenses for Trip {i + 1}:") # Inner for loop to iterate through expenses for cost in travel_costs[i]: if cost > budget: # If expense exceeds the budget, stop processing the current trip print(f"Expense {cost} exceeds the budget. Stopping this trip.") break print(f"Expense: ${cost}") i += 1 # Move to the next trip print("") # Add a new line for readability
copy

How does the code work?

Task
test

Swipe to show code editor

Find the First Significant Expense

Write a program to:

  • Iterate through each trip's expenses.
  • Stop at the first significant expense greater than $200 using break.
  • Skip expenses less than $100 using continue.

Everything was clear?

How can we improve it?

Thanks for your feedback!

Section 3. Chapter 4
# List of trips with their respective expenses
travel_costs = [[50, 150, 300, 80], [90, 250, 100, 70], [120, 60, 400, 150]]

# Thresholds
min_expense = 100
significant_expense = 200

# Outer while loop to iterate through trips
i = 0
___:
print(f"Checking expenses for Trip {i + 1}:")
# Inner for loop to check expenses in the current trip
___:
___ cost < ___: # Skip expenses below the minimum
___
elif cost > ___: # Stop at the first significant expense
print(f"First significant expense: ${cost}")
___
___ # Move to the next trip
toggle bottom row
some-alt