Python
Python Basics
- Introduction to Python and Its History
- Python Syntax and Indentation
- Python Variables and Data Types
- Dynamic and Strong Typing
- Comments and Docstrings
- Taking User Input (input())
- Printing Output (print())
- Python Operators (Arithmetic, Logical, Comparison)
- Type Conversion and Casting
- Escape Characters and Raw Strings
Data Structures in Python
- Lists
- Dictionaries
- Dictionary Comprehensions
- Strings and String Manipulation
- Tuples
- Python Sets: Unordered Collections
- List Comprehensions and Generator Expressions
- Set Comprehensions
- String Formatting
- Indexing and Slicing
Control Flow and Loops
- Conditional Statements: if, elif, and else
- Loops and Iteration
- While Loops
- Nested Loops
- Loop Control Statements
- Iterators and Iterables
- List, Dictionary, and Set Iterations
Functions and Scope
- Defining and Calling Functions (`def`)
- Function Arguments (`*args`, `**kwargs`)
- Default Arguments and Keyword Arguments
- Lambda Functions
- Global and Local Scope
- Function Return Values
- Recursion in Python
Object-Oriented Programming (OOP)
- Object-Oriented Programming
- Classes and Objects
- the `__init__()` Constructor
- Instance Variables and Methods
- Class Variables and `@classmethod`
- Encapsulation and Data Hiding
- Inheritance and Subclasses
- Method Overriding and super()
- Polymorphism
- Magic Methods and Operator Overloading
- Static Methods
- Abstract Classes and Interfaces
Python Programs
- AES-256 Encryption
- Array : Find median in an integer array
- Array : Find middle element in an integer array
- Array : Find out the duplicate in an array
- Array : Find print all subsets in an integer array
- Program : Array : Finding missing number between from 1 to n
- Array : Gap and Island problem
- Python Program stock max profit
- Reverse words in Python
- Python array duplicate program
- Coin change problem in python
- Python Write fibonacci series program
- Array : find all the pairs whose sum is equal to a given number
- Find smallest and largest number in array
- Iterate collections
- List comprehensions
- Program: Calculate Pi in Python
- String Formatting in Python
Nested Loops in Python
Looping is a foundational concept in programming that allows you to execute a block of code repeatedly. But what if you need to perform a loop inside another loop? Thatβs where nested loops come in. If youβre just starting out in Python, understanding nested loops can open the door to solving more complex problems like matrix manipulation, pattern printing, or building simple games.
In this guide, weβll take a deep dive into nested loops in Python, exploring what they are, why they matter, and how to use them with real-world, easy-to-understand examples.
π Why Are Nested Loops Important?
Nested loops give you multi-layered control over repetitive operations. They are crucial for:
- Working with multi-dimensional data like matrices or tables
- Pattern generation, such as pyramid or star shapes
- Comparing pairs of data
- Iterating through nested structures like lists of lists
Without nested loops, many tasks would require unnecessarily complex or repetitive code.
β Prerequisites
Before tackling nested loops, ensure you understand:
- Basic forandwhileloops
- Indentation in Python (crucial for nesting)
- Data structures like lists and strings
- Boolean conditions and loop control statements
π What This Guide Covers
- What are nested loops?
- Syntax of nested loops
- Types of nested loops (forinfor,forinwhile, etc.)
- Real-world examples and use cases
- Common mistakes to avoid
- Best practices for beginners
π What Are Nested Loops?
A nested loop is a loop inside another loop. The inner loop completes all its iterations for each iteration of the outer loop.
π General Syntax:
for outer in range(x):    for inner in range(y):        # Code block executed y times for each outer iterationThis means if x = 3 and y = 2, the inner block runs 3 Γ 2 = 6 times.
π Types of Nested Loops
Python allows nesting any combination of loops:
- forloop inside a- forloop
- forloop inside a- whileloop
- whileloop inside a- forloop
- whileloop inside another- whileloop
Letβs go over each.
β 1. For Loop Inside a For Loop
for i in range(3):    for j in range(2):        print(f"i={i}, j={j}")Output:
i=0, j=0i=0, j=1i=1, j=0i=1, j=1i=2, j=0i=2, j=1This loop runs 2 inner iterations for every 1 outer iteration.
β 2. While Loop Inside a For Loop
for i in range(3):    j = 0    while j < 2:        print(f"i={i}, j={j}")        j += 1Same output as above. It just mixes loop types.
β 3. For Loop Inside a While Loop
i = 0while i < 2:    for j in range(3):        print(f"i={i}, j={j}")    i += 1Output:
i=0, j=0i=0, j=1i=0, j=2i=1, j=0i=1, j=1i=1, j=2β 4. While Loop Inside Another While Loop
i = 0while i < 2:    j = 0    while j < 3:        print(f"i={i}, j={j}")        j += 1    i += 1Same outputβloop nesting can be flexible in Python.
π Real-World Examples of Nested Loops
π Example 1: Printing a Rectangle of Stars
for row in range(4):    for col in range(5):        print("*", end=" ")    print()Output:
* * * * ** * * * ** * * * ** * * * *π Example 2: Multiplication Table
for i in range(1, 6):    for j in range(1, 6):        print(i * j, end="\t")    print()Prints a 5Γ5 multiplication table.
π Example 3: Working with 2D Lists
matrix = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]
for row in matrix:    for item in row:        print(item, end=" ")    print()Output:
1 2 34 5 67 8 9π Example 4: Comparing All Pairs in a List
nums = [1, 2, 3]for i in nums:    for j in nums:        print(f"({i}, {j})")Useful in algorithms and data comparison tasks.
π Example 5: Nested Loops with Conditions
for i in range(5):    for j in range(i + 1):        print("*", end=" ")    print()Output:
** ** * ** * * ** * * * *This prints a right-angled triangle of stars.
β οΈ Common Mistakes in Nested Loops
- Indentation Errors β Proper indentation is critical in Python.
- Infinite Loops β Especially when using nested whileloops.
- Unnecessary Complexity β Sometimes nesting can be avoided.
- Mixing Variables β Be careful not to confuse loop variables.
- Overusing Loops β Nested loops can be inefficient for large datasets.
π‘ Best Practices
- Use descriptive variable names (e.g., row,col,i,j)
- Keep loop depth to 2 or 3 levels max
- Consider breaking complex logic into functions
- Use breakandcontinuewisely
- Profile and optimize loops in performance-sensitive code
β Summary
Nested loops are a powerful way to handle repetitive, multi-dimensional, or structured tasks in Python. Whether youβre printing patterns, processing tables, or building more complex applications, understanding how and when to use nested loops is essential.
Although powerful, nested loops must be used carefully to avoid unnecessary complexity and performance issues. Practice with real examples, and soon youβll be using nested loops like a pro.
W