🚀 Hands-on Practice: Practice coding by clicking on button below:
Here we will discuss each of the course contents in detail.
Arrays
Definition
An array is a collection of elements of the same type stored at contiguous memory locations.
Explanation
- Arrays in Python are implemented using the
list
ornumpy.array
module. - Lists are dynamic, whereas
numpy
arrays provide better performance for numerical operations.
Coding Example
import numpy as np
arr = np.array([1, 2, 3, 4, 5])
print("Array elements:", arr)
Strings
Definition
A string is a sequence of characters enclosed within single ('
), double ("
) or triple quotes ('''
or """
).
Explanation
- Strings in Python are immutable (cannot be modified after creation).
- Common operations on strings include:
- Concatenation: Joining two or more strings.
- Slicing: Extracting a portion of a string.
- Iteration: Looping through string characters.
- Formatting: Using placeholders for dynamic content.
Coding Example
text = "Python Programming"
print(text[0:6]) # Output: Python
print(text.upper()) # Converts to uppercase
print(text + " is fun!") # String concatenation
Integer and Floating Point Arithmetic
Definition
Integer (int
) and floating-point (float
) arithmetic involve performing mathematical operations on numerical data types.
Explanation
- Integers (
int
) are whole numbers without decimals, e.g.,10
,-5
,1000
. - Floating-point numbers (
float
) are numbers with decimals, e.g.,3.14
,-2.5
,0.001
. - Python supports automatic type conversion between integers and floats.
- Common arithmetic operations include:
- Addition (
+
) – Adds two numbers. - Subtraction (
-
) – Subtracts one number from another. - Multiplication (
*
) – Multiplies two numbers. - Division (
/
) – Returns a floating-point quotient. - Floor Division (
//
) – Returns the quotient without the decimal part. - Modulus (
%
) – Returns the remainder of a division. - Exponentiation (
**
) – Raises a number to a power.
- Addition (
Coding Example
a, b = 15, 4
print(a + b) # Output: 19 (Addition)
print(a - b) # Output: 11 (Subtraction)
print(a * b) # Output: 60 (Multiplication)
print(a / b) # Output: 3.75 (Floating-point division)
print(a // b) # Output: 3 (Floor division)
print(a % b) # Output: 3 (Modulus - remainder of division)
print(a ** b) # Output: 50625 (Exponentiation: 15^4)
Operators and Expressions
Definition
Operators are symbols that perform operations on variables and values. An expression is a combination of values, variables, and operators that produces a result.
Explanation
Python supports different types of operators:
1. Arithmetic Operators
Perform basic mathematical operations.
Operator | Description | Example (a = 10, b = 3 ) |
Output |
---|---|---|---|
+ |
Addition | a + b |
13 |
- |
Subtraction | a - b |
7 |
* |
Multiplication | a * b |
30 |
/ |
Division | a / b |
3.333 |
// |
Floor Division | a // b |
3 |
% |
Modulus | a % b |
1 |
** |
Exponentiation | a ** b |
1000 |
2. Comparison Operators
Compare two values and return True
or False
.
Operator | Description | Example (a = 10, b = 3 ) |
Output |
---|---|---|---|
== |
Equal to | a == b |
False |
!= |
Not equal to | a != b |
True |
> |
Greater than | a > b |
True |
< |
Less than | a < b |
False |
>= |
Greater than or equal to | a >= b |
True |
<= |
Less than or equal to | a <= b |
False |
3. Logical Operators
Used to combine multiple conditions.
Operator | Description | Example (x = True, y = False ) |
Output |
---|---|---|---|
and |
Returns True if both conditions are True |
x and y |
False |
or |
Returns True if at least one condition is True |
x or y |
True |
not |
Reverses the result | not x |
False |
4. Assignment Operators
Used to assign values to variables.
Operator | Example | Equivalent To |
---|---|---|
= |
a = 10 |
a = 10 |
+= |
a += 5 |
a = a + 5 |
-= |
a -= 2 |
a = a - 2 |
*= |
a *= 3 |
a = a * 3 |
/= |
a /= 2 |
a = a / 2 |
//= |
a //= 2 |
a = a // 2 |
%= |
a %= 2 |
a = a % 2 |
**= |
a **= 2 |
a = a ** 2 |
5. Bitwise Operators
Perform operations on binary numbers.
Operator | Description | Example (a = 5, b = 3 ) |
Output |
---|---|---|---|
& |
AND operation | a & b |
1 |
| |
OR operation | a | b |
7 |
^ |
XOR operation | a ^ b |
6 |
~ |
NOT operation | ~a |
-6 |
<< |
Left Shift | a << 1 |
10 |
>> |
Right Shift | a >> 1 |
2 |
Coding Example
a, b = 10, 3
# Arithmetic Operations
print("Addition:", a + b) # Output: 13
print("Floor Division:", a // b) # Output: 3
# Comparison
print("Is a greater than b?", a > b) # Output: True
# Logical Operations
x, y = True, False
print("x and y:", x and y) # Output: False
# Assignment
a += 5
print("Updated a:", a) # Output: 15
Functions
Definition
A function is a reusable block of code that performs a specific task. Functions help in modular programming by breaking a large program into smaller, manageable sections.
Explanation
- Functions allow code reusability and improve readability.
- Python provides built-in functions (e.g.,
len()
,print()
) and supports user-defined functions. - Functions are defined using the
def
keyword and can accept parameters and return values. - A function runs only when it is called.
Types of Functions:
- Built-in Functions – Predefined in Python (
print()
,len()
,sum()
, etc.). - User-Defined Functions – Created by the programmer using
def
. - Lambda Functions – Anonymous, single-expression functions using
lambda
.
Function Syntax
def function_name(parameters):
"""Function Docstring (Optional)"""
# Function body
return result # Optional
Types of Functions:
- Built-in Functions – Predefined in Python (
print()
,len()
,sum()
, etc.). - User-Defined Functions – Created by the programmer using
def
. - Lambda Functions – Anonymous, single-expression functions using
lambda
.
Coding Examples
1. User-Defined Function
def greet(name):
"""This function prints a greeting message."""
return f"Hello, {name}!"
print(greet("Alice")) # Output: Hello, Alice!
2. Function with Multiple Parameters
def add_numbers(a, b):
"""Returns the sum of two numbers."""
return a + b
print(add_numbers(5, 10)) # Output: 15
3. Function with Default Arguments
def power(base, exponent=2):
"""Returns base raised to exponent (default is square)."""
return base ** exponent
print(power(3)) # Output: 9 (3^2)
print(power(2, 3)) # Output: 8 (2^3)
4. Lambda Function (Anonymous Function)
square = lambda x: x ** 2
print(square(4)) # Output: 16
5. Function Returning Multiple Values
def arithmetic_operations(a, b):
"""Returns multiple arithmetic results."""
return a + b, a - b, a * b, a / b
sum_, diff, prod, quot = arithmetic_operations(10, 2)
print(sum_, diff, prod, quot) # Output: 12 8 20 5.0
Key Points to Remember
✔ Use functions to avoid repetition and make code modular.
✔ Functions can have default arguments, making them more flexible.
✔ Lambda functions are useful for short, one-time operations.
✔ A function can return multiple values as a tuple.
Workout Questions
- Define a function in Python. What are its advantages?
- What is the difference between a user-defined function and a lambda function?
- Discuss the role of parameters and return values in functions with examples.
- Write a Python function that takes two numbers as input and returns their sum, difference, and product.
Control Flow: Conditionals and Loops
1. Conditionals (if-else statements)
Conditional statements allow decision-making in a program.
Syntax:
def check_number(num):
if num > 0:
return "Positive"
elif num < 0:
return "Negative"
else:
return "Zero"
print(check_number(5)) # Output: Positive
print(check_number(-3)) # Output: Negative
print(check_number(0)) # Output: Zero
2. Loops
Loops allow repeated execution of code blocks.
a. While Loop
A while
loop runs as long as a condition remains True
.
Syntax:
count = 1
while count <= 5:
print("Count:", count)
count += 1
Output:
Count: 1
Count: 2
Count: 3
Count: 4
Count: 5
b. For Loop
A for
loop is used to iterate over a sequence (list, tuple, string, etc.).
Syntax:
for i in range(1, 6):
print("Iteration:", i)
Output:
Iteration: 1
Iteration: 2
Iteration: 3
Iteration: 4
Iteration: 5
3. Loop Control Statements
Loop control statements modify loop behavior.
a. Break Statement
Exits the loop prematurely when a condition is met.
for num in range(1, 10):
if num == 5:
break
print(num)
Output:
1
2
3
4
b. Continue Statement
Skips the current iteration and moves to the next.
for num in range(1, 6):
if num == 3:
continue
print(num)
Output:
1
2
4
5
c. Pass Statement
A placeholder for future code, does nothing when executed.
for i in range(5):
if i == 2:
pass # Placeholder for future logic
else:
print(i)
Key Points to Remember
✔ if-else
statements allow conditional execution.
✔ while
loops run while a condition holds true.
✔ for
loops iterate over sequences or ranges.
✔ break
, continue
, and pass
modify loop behavior.
Workout Questions
- What is the difference between
while
andfor
loops in Python? - Explain how loop control statements (
break
,continue
,pass
) work with examples. - Write a Python program to print all even numbers from 1 to 20 using a
for
loop. - Create a
while
loop that prints numbers from 10 to 1 in descending order.
Input/Output Operations with Files
1. Introduction to File Handling
File handling in Python allows reading from and writing to files. The built-in open()
function is used to work with files.
2. Opening a File
Syntax:
file = open("filename.txt", "mode")
Modes:
"r"
– Read (default, file must exist)"w"
– Write (creates a new file or overwrites existing content)"a"
– Append (adds content to the end of the file)"x"
– Create (fails if file already exists)"b"
– Binary mode (e.g., images, PDFs)"t"
– Text mode (default)
3. Reading from a File
Using read()
Method
with open("example.txt", "r") as file:
content = file.read()
print(content)
Using readline()
and readlines()
Methods
with open("example.txt", "r") as file:
line = file.readline() # Reads one line
print(line)
all_lines = file.readlines() # Reads all lines as a list
print(all_lines)
4. Writing to a File
Using write()
Method
with open("example.txt", "w") as file:
file.write("Hello, World!\n")
Using writelines()
Method
lines = ["First line\n", "Second line\n"]
with open("example.txt", "w") as file:
file.writelines(lines)
5. Appending to a File
with open("example.txt", "a") as file:
file.write("This is an appended line.\n")
6. Working with Binary Files
with open("image.jpg", "rb") as file:
data = file.read()
with open("copy.jpg", "wb") as file:
file.write(data)
7. Closing a File
Although using with open()
is recommended as it automatically closes the file, you can manually close a file using:
file = open("example.txt", "r")
file.close()
8. Exception Handling in File Operations
try:
with open("nonexistent.txt", "r") as file:
content = file.read()
except FileNotFoundError:
print("File not found!")
Key Points to Remember
✔ Use with open()
to handle files safely.
✔ Choose the correct file mode (r
, w
, a
, x
).
✔ Use read()
, readline()
, or readlines()
for reading.
✔ Use write()
or writelines()
for writing.
✔ Handle exceptions using try-except
to avoid runtime errors.
Workout Questions
- What is the difference between
r
,w
, anda
file modes in Python? - Explain the advantage of using
with open()
for file handling. - Write a Python program to read a file and count the number of words in it.
- Write a Python program to copy the contents of one file to another.
Data Analysis: Plotting, Data Fitting, and Analyzing Large Datasets
1. Introduction to Data Analysis
Data analysis involves examining, visualizing, and modeling data to extract useful insights. Python provides powerful libraries for this, such as matplotlib
, numpy
, pandas
, and scipy
.
2. Plotting Data
Using Matplotlib for Visualization
import matplotlib.pyplot as plt
import numpy as np
# Sample data
t = np.linspace(0, 10, 100)
y = np.sin(t)
# Plotting the data
plt.plot(t, y, label="sin(t)", color='b')
plt.xlabel("Time")
plt.ylabel("Amplitude")
plt.title("Sine Wave")
plt.legend()
plt.grid()
plt.show()
Types of Plots:
- Line Plot:
plt.plot(x, y)
- Scatter Plot:
plt.scatter(x, y)
- Histogram:
plt.hist(data, bins=10)
- Bar Chart:
plt.bar(categories, values)
3. Data Fitting
Fitting data helps model relationships between variables using functions.
Linear Fit Using NumPy
import numpy as np
import matplotlib.pyplot as plt
# Sample data
x = np.array([1, 2, 3, 4, 5])
y = np.array([2.2, 2.8, 3.6, 4.5, 5.1])
# Linear fit
coeffs = np.polyfit(x, y, 1) # 1st-degree polynomial (linear)
fit_line = np.poly1d(coeffs)
# Plot
plt.scatter(x, y, label="Data")
plt.plot(x, fit_line(x), label="Best Fit", color='r')
plt.xlabel("X")
plt.ylabel("Y")
plt.legend()
plt.show()
Nonlinear Fit Using SciPy
from scipy.optimize import curve_fit
def model(x, a, b):
return a * np.exp(b * x)
params, _ = curve_fit(model, x, y)
4. Analyzing Large Datasets
Using Pandas for Data Handling
import pandas as pd
# Loading data from a CSV file
df = pd.read_csv("data.csv")
# Display basic information
print(df.info())
print(df.describe())
Filtering and Aggregation
# Filtering data
df_filtered = df[df['column_name'] > threshold]
# Aggregation
mean_value = df['column_name'].mean()
Handling Missing Data
# Checking for missing values
print(df.isnull().sum())
# Filling missing values
df.fillna(value, inplace=True)
Key Points to Remember
✔ Use matplotlib
for visualization (line, scatter, bar, histogram).
✔ Use numpy
for numerical computations and data fitting.
✔ Use pandas
for handling large datasets efficiently.
✔ Use scipy.optimize
for nonlinear data fitting.
✔ Preprocess data by handling missing values and filtering.
Workout Questions
- What is the role of
matplotlib
in data visualization? - Explain how to fit a linear model to data using NumPy.
- Write a Python program to read a large dataset and compute the mean and median of a column.
- How do you handle missing data in a dataset using Pandas?