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
String Formatting in Python
String formatting allows you to create dynamic strings by inserting variables, expressions, or formatted values into predefined text. Python offers three main methods:
- f-strings (Python 3.6+) – Modern and easiest
- str.format()method – Flexible and powerful
- %operator (old-style) – Legacy but still used
Let’s explore each method in detail.
1. f-strings (Formatted String Literals)
Introduced in Python 3.6, f-strings provide the simplest and most readable way to format strings.
Basic Syntax:
f"Text {variable} more text"Examples:
Inserting Variables
name = "Alice"age = 25print(f"My name is {name} and I am {age} years old.")Output:
My name is Alice and I am 25 years old.Expressions Inside f-strings
a, b = 10, 20print(f"The sum of {a} and {b} is {a + b}.")Output:
The sum of 10 and 20 is 30.Formatting Numbers
price = 49.9876print(f"Price: ${price:.2f}")  # Rounds to 2 decimal placesOutput:
Price: $49.99Advantages of f-strings:
✔ Clean and readable
✔ Supports expressions
✔ Fast execution
2. str.format() Method
The format() method is versatile and works in all Python versions.
Basic Syntax:
"Text {} more text".format(value)Examples:
Positional Formatting
print("Hello, {}!".format("Alice"))Output:
Hello, Alice!Index-Based Formatting
print("{0} loves {1} and {1} loves {0}.".format("Alice", "Bob"))Output:
Alice loves Bob and Bob loves Alice.Named Placeholders
print("Name: {name}, Age: {age}".format(name="Alice", age=25))Output:
Name: Alice, Age: 25Number Formatting
print("Value: {:.2f}".format(3.14159))  # Rounds to 2 decimal placesOutput:
Value: 3.14Advantages of format():
✔ Works in all Python versions
✔ Supports named and positional arguments
✔ More control over formatting
3. % Operator (Old-Style Formatting)
This is the oldest method, inspired by C’s printf().
Basic Syntax:
"Text %s more text" % valueExamples:
String and Integer Formatting
name = "Alice"age = 25print("My name is %s and I am %d years old." % (name, age))Output:
My name is Alice and I am 25 years old.Floating-Point Precision
pi = 3.14159print("Pi rounded to 2 decimals: %.2f" % pi)Output:
Pi rounded to 2 decimals: 3.14Common Format Specifiers:
| Specifier | Meaning | Example ( %usage) | 
|---|---|---|
| %s | String | "Name: %s" % "Alice" | 
| %d | Integer | "Age: %d" % 25 | 
| %f | Float | "Price: %.2f" % 49.99 | 
| %x | Hexadecimal | "Hex: %x" % 255→ff | 
Disadvantages of % Operator:
❌ Less readable
❌ Limited functionality
❌ Not recommended for new code
Comparison of String Formatting Methods
| Feature | f-strings | format() | %Operator | 
|---|---|---|---|
| Readability | ⭐⭐⭐⭐⭐ | ⭐⭐⭐⭐ | ⭐⭐ | 
| Speed | ⭐⭐⭐⭐⭐ | ⭐⭐⭐ | ⭐⭐ | 
| Python Version | 3.6+ | All | All | 
| Expression Support | Yes | No | No | 
Recommendation:
- Use f-strings for Python 3.6+ (best readability & performance).
- Use format()for compatibility with older Python versions.
- Avoid %operator in new code.
Practical Use Cases
1. Dynamic SQL Queries (f-strings)
user_id = 100query = f"SELECT * FROM users WHERE id = {user_id}"print(query)2. Logging Messages (format())
error_code = 404log_message = "Error {}: Page not found".format(error_code)print(log_message)3. Legacy Code Maintenance (% Operator)
# Old code (still seen in some scripts)print("User: %s, Score: %d" % ("Alice", 95))Common Mistakes to Avoid
- 
Mismatched Placeholders & Variables # Wrongprint("{} {}".format("Alice")) # Missing argument
- 
Incorrect Format Specifiers # Wrongprint("Age: %s" % 25.5) # Should use %f for floats
- 
Overcomplicating Simple Cases # Unnecessaryprint("Name: " + name + ", Age: " + str(age))# Betterprint(f"Name: {name}, Age: {age}")
Python offers multiple ways to format strings:
- f-strings (best for modern Python)
- format()(flexible and backward-compatible)
- %operator (old-style, avoid in new code)
Key Takeaways:
✔ f-strings are the cleanest and fastest option.
✔ format() is useful for complex formatting.
✔ % operator is outdated but still seen in legacy code.
Start using f-strings for better readability and efficiency in your Python projects! 🚀