KEMBAR78
Control Flow | PDF | Control Flow | Computer Engineering
0% found this document useful (0 votes)
7 views8 pages

Control Flow

The document provides a comprehensive overview of Python's control flow mechanisms, including conditional statements and loops. It explains how to use if, else, and elif statements for decision-making, as well as for and while loops for iteration. Additionally, it covers loop control statements like break, continue, and pass, detailing their functions and impacts on loop execution.

Uploaded by

raghuveera97n
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
7 views8 pages

Control Flow

The document provides a comprehensive overview of Python's control flow mechanisms, including conditional statements and loops. It explains how to use if, else, and elif statements for decision-making, as well as for and while loops for iteration. Additionally, it covers loop control statements like break, continue, and pass, detailing their functions and impacts on loop execution.

Uploaded by

raghuveera97n
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 8

A Deep Dive into Python's Control Flow

Control flow is the order in which a program's statements are executed. In Python, as
in other programming languages, you can alter this flow using various control
structures. This allows your program to make decisions, repeat actions, and respond
dynamically to different situations. This guide covers all the essential control flow
mechanisms in Python.

1. Conditional Statements
Conditional statements allow a program to execute certain blocks of code based on
whether a specific condition is true or false.

if Statement
The if statement is the most fundamental control flow structure. It executes a block of
code only if its condition evaluates to True.

Syntax:

if condition:​
# Code to execute if condition is True​

Example:

age = 20​
if age >= 18:​
print("You are eligible to vote.")​

if-else Statement
The else statement provides an alternative block of code to execute if the if condition
is False.

Syntax:

if condition:​
# Code to execute if condition is True​
else:​
# Code to execute if condition is False​
Example:

temperature = 15​
if temperature > 25:​
print("It's a hot day.")​
else:​
print("It's a cool day.")​

if-elif-else Chain
The elif (short for "else if") statement allows you to check for multiple conditions.
Python will execute the block of the first condition that evaluates to True. If none of
the if or elif conditions are true, the else block is executed (if present).

Syntax:

if condition1:​
# Code for condition1​
elif condition2:​
# Code for condition2​
elif condition3:​
# Code for condition3​
else:​
# Code if no conditions are met​

Example:

score = 85​
if score >= 90:​
grade = "A"​
elif score >= 80:​
grade = "B"​
elif score >= 70:​
grade = "C"​
else:​
grade = "D"​

print(f"Your grade is: {grade}") # Output: Your grade is: B​

Nested Conditional Statements


You can place conditional statements inside other conditional statements. This is
known as nesting.

Example:

is_registered = True​
age = 25​

if is_registered:​
print("Registration confirmed.")​
if age >= 18:​
print("You are eligible to vote.")​
else:​
print("You are too young to vote.")​
else:​
print("Please register first.")​

Summary of Conditional Statements

Statement Purpose When it Executes

if To run code based on a single When its condition is True.


condition.

else To provide an alternative When the preceding if/elif


block of code. conditions are False.

elif To check multiple alternative When its condition is True and


conditions. all preceding conditions were
False.

2. Loops
Loops are used to execute a block of code repeatedly. Python has two main types of
loops: for loops and while loops.
for Loops
A for loop is used for iterating over a sequence (such as a list, tuple, dictionary, set, or
string) or other iterable objects.

Iterating over a List:

fruits = ["apple", "banana", "cherry"]​


for fruit in fruits:​
print(fruit)​

Iterating over a String:

for letter in "Python":​


print(letter, end=' ') # P y t h o n​

Using the range() Function:


The range() function generates a sequence of numbers, which is often used to control the
number of loop iterations.
# Loop 5 times (from 0 to 4)​
for i in range(5):​
print(i) # 0, 1, 2, 3, 4​

# Loop from 2 to 5 (exclusive)​
for i in range(2, 6):​
print(i) # 2, 3, 4, 5​

Iterating over a Dictionary:

student = {"name": "Alice", "age": 24}​


# Iterate over keys​
for key in student:​
print(key) # name, age​

# Iterate over values​
for value in student.values():​
print(value) # Alice, 24​

# Iterate over key-value pairs​
for key, value in student.items():​
print(f"{key}: {value}")​

while Loops
A while loop executes a block of code as long as a specified condition is True.

Syntax:

while condition:​
# Code to execute​
# (Often includes a statement to eventually make the condition False)​

Example:

count = 1​
while count <= 5:​
print(f"Count is: {count}")​
count += 1 # This is crucial to prevent an infinite loop​

The else Block in Loops


Both for and while loops in Python can have an optional else block. The code in the
else block executes when the loop has finished its iterations naturally (i.e., not when
it's terminated by a break statement).

Example with for loop:

for i in range(3):​
print(f"Iteration {i}")​
else:​
print("Loop finished successfully.")​

Example with while loop:

count = 0​
while count < 3:​
print(f"Count {count}")​
count += 1​
else:​
print("While loop completed.")​

Comparison of Loops

Feature for Loop while Loop

Best Used For Iterating over a known Looping as long as a condition


sequence of items. is true, or for an unknown
number of iterations.

Structure for item in iterable: while condition:

Infinite Loop Risk Lower (unless iterating over Higher (if the condition never
an infinite generator). becomes false).

3. Loop Control Statements


Loop control statements change the execution of a loop from its normal sequence.

break Statement
The break statement immediately terminates the innermost loop it is in. Execution
then resumes at the statement following the loop.

Use Case: To exit a loop early when a certain condition is met.

Example:

numbers = [1, 2, 3, 4, 5, 6, 7]​


for number in numbers:​
if number == 5:​
print("Found the number 5! Exiting loop.")​
break # Exit the loop​
print(number)​

# The else block will NOT be executed because of break​
else:​
print("This will not be printed.")​
continue Statement
The continue statement rejects all the remaining statements in the current iteration of
the loop and moves control back to the top of the loop to begin the next iteration.

Use Case: To skip the current iteration of the loop and move to the next one.

Example:

# Print only the odd numbers​


for i in range(1, 11):​
if i % 2 == 0: # If the number is even​
continue # Skip this iteration​
print(i)​

pass Statement
The pass statement is a null operation; nothing happens when it executes. It is used as
a placeholder where syntax requires a statement, but no code needs to be executed.

Use Case: As a placeholder for future code in functions, classes, or loops.

Example:

def my_future_function():​
pass # TODO: Implement this later​

for i in range(5):​
if i == 3:​
pass # Maybe do something special for 3 later​
print(i)​

Summary of Loop Control Statements

Statement Behavior Impact on else Block

break Terminates the entire loop Prevents the else block from
immediately. executing.

continue Skips the rest of the current Does not affect the else block.
iteration and starts the next
one.

pass Does nothing; acts as a Does not affect the else block.
placeholder.

You might also like