Computer notes
Introduction to Database Concepts
● A database is a collection of organized data that allows efficient retrieval,
modification, and management.
● Advantages of using a database over a file system:
○ Data Integrity: Ensures consistency and accuracy through constraints.
○ Data Security: Provides access control and authentication features.
○ Efficient Retrieval: Supports indexing and queries for faster data access.
○ Concurrency Management: Allows multiple users to access data
simultaneously without conflicts.
Relational Data Model
● Domain: Defines the set of possible values for an attribute. Example: A "Date of
Birth" field has a domain of valid date values.
● Tuple: A single entry in a table, representing a record with multiple attributes.
● Relation: A table storing structured data, with each column representing an
attribute.
Keys in a Relational Database
● Candidate Key: A minimal set of attributes that uniquely identifies a tuple.
Example: "Roll Number" in a student database.
● Primary Key: The chosen candidate key that uniquely identifies each record in a
table. Example: "Employee ID."
● Alternate Key: A candidate key that was not selected as the primary key.
Example: If both "Passport Number" and "National ID" could uniquely identify a
person, the unused key becomes an alternate key.
● Foreign Key: An attribute that links two tables by referring to the primary key of
another table. Example: "Customer_ID" in an Orders table referencing the
"Customer_ID" in a Customers table.
Relational Algebra Operations
1. Selection (σ): Filters rows based on a condition.
○ Example: σ Age > 30 (Employees) selects employees older than 30.
2. Projection (π): Extracts specific columns from a table.
○ Example: π Name, Salary (Employees) retrieves only names and
salaries.
3. Union (∪): Merges two relations and removes duplicate rows.
○ Example: Employees ∪ Managers merges both tables while
removing duplicates.
4. Set Difference (-): Returns records present in one relation but absent in another.
○ Example: Customers - Premium_Customers gives customers who
are not premium.
5. Cartesian Product (×): Combines every tuple of one relation with every tuple of
another, producing all possible pairs.
○ Example: Products × Suppliers pairs each product with every
supplier.
Additional Concepts
● Normalization: A process to minimize redundancy and ensure efficient database
design.
● Indexing: Improves query performance by organizing data for faster retrieval.
● Transactions: Ensures database operations are executed reliably using ACID
properties (Atomicity, Consistency, Isolation, Durability).
Introduction to SQL
● SQL (Structured Query Language) is a standard language used to interact
with relational databases.
● It is essential for managing, retrieving, and manipulating structured data
efficiently.
Advantages of Using SQL
● High Speed: SQL allows quick access and manipulation of large datasets.
● Ease of Use: Simple syntax makes learning and usage accessible.
● Data Integrity: Ensures accuracy and consistency with constraints like PRIMARY
KEY, FOREIGN KEY.
● Security: Supports authentication, access control, and encryption.
● Scalability: Works efficiently across small to enterprise-level databases.
Types of SQL Commands
1. Data Definition Language (DDL)
● Used for defining database schema (structure).
● Key Commands:
○ CREATE TABLE – Defines a new table.
○ DROP TABLE – Removes an entire table.
○ ALTER TABLE – Modifies the structure of an existing table.
2. Data Query Language (DQL)
● Helps in fetching data from the database.
● Key Commands:
○ SELECT – Retrieves data from one or more tables.
○ FROM – Specifies the source table(s).
○ WHERE – Applies filtering conditions.
3. Data Manipulation Language (DML)
● Used to modify database records.
● Key Commands:
○ INSERT – Adds new records.
○ UPDATE – Modifies existing records.
○ DELETE – Removes records.
Introduction to MySQL
● MySQL is an open-source relational database management system (RDBMS).
● It supports SQL and is widely used in applications, websites, and cloud services.
● Commands executed in MySQL follow standard SQL syntax.
Creating a Database in MySQL
● CREATE DATABASE db_name; → Creates a database.
● USE db_name; → Selects the database for operations.
Data Types in MySQL
● Numeric Types: INT, FLOAT, DOUBLE, DECIMAL
● Character Types: CHAR, VARCHAR, TEXT
● Date/Time Types: DATE, TIME, DATETIME, TIMESTAMP
● Boolean Type: BOOLEAN
Data Definition Commands
Creating a Table:
sql
CREATE TABLE employees (
id INT PRIMARY KEY,
name VARCHAR(100),
salary DECIMAL(10,2)
);
●
Dropping a Table:
sql
DROP TABLE employees;
●
Altering a Table:
sql
ALTER TABLE employees ADD COLUMN age INT;
●
Data Query Commands
Selecting Records:
sql
SELECT name, salary FROM employees WHERE salary > 50000;
●
Filtering Data:
sql
SELECT * FROM employees WHERE age > 30;
●
Data Manipulation Commands
Inserting Data:
sql
INSERT INTO employees (id, name, salary) VALUES (1, 'John Doe', 60000);
●
Updating Data:
sql
UPDATE employees SET salary = 70000 WHERE id = 1;
●
Deleting Records:
sql
DELETE FROM employees WHERE id = 1;
●
Mathematical Functions
● POWER(x, y) → Returns x raised to power y.
● ROUND(x, d) → Rounds x to d decimal places.
● MOD(x, y) → Returns remainder of x divided by y.
Text Functions
● Case Conversion:
○ UCASE() / UPPER() → Converts text to uppercase.
○ LCASE() / LOWER() → Converts text to lowercase.
● Substring Manipulation:
○ MID(str, start, length) / SUBSTRING(str, start,
length) → Extracts a portion of a string.
● Length and Position:
○ LENGTH(str) → Returns number of characters in a string.
○ LEFT(str, n) → Extracts first n characters.
○ RIGHT(str, n) → Extracts last n characters.
○ INSTR(str, sub_str) → Finds position of substring in string.
● Trimming Spaces:
○ LTRIM(str) → Removes leading spaces.
○ RTRIM(str) → Removes trailing spaces.
○ TRIM(str) → Removes both leading and trailing spaces.
Date Functions in SQL
SQL provides several functions to handle date and time values efficiently:
NOW() → Returns the current date and time.
sql
SELECT NOW(); -- Output: 2025-05-13 11:25:00
●
DATE() → Extracts the date part from a datetime value.
sql
SELECT DATE(NOW()); -- Output: 2025-05-13
●
MONTH() → Retrieves the month (numerical) from a date.
sql
SELECT MONTH('2025-05-13'); -- Output: 5
●
MONTHNAME() → Returns the month name.
sql
SELECT MONTHNAME('2025-05-13'); -- Output: May
●
YEAR() → Extracts the year from a date.
sql
SELECT YEAR('2025-05-13'); -- Output: 2025
●
DAY() → Retrieves the day (numeric) from a date.
sql
SELECT DAY('2025-05-13'); -- Output: 13
●
DAYNAME() → Returns the name of the day.
sql
SELECT DAYNAME('2025-05-13'); -- Output: Tuesday
●
Aggregate Functions in SQL
Aggregate functions perform calculations on a set of values and return a single value:
MAX() → Returns the maximum value.
sql
SELECT MAX(salary) FROM employees;
●
MIN() → Returns the minimum value.
sql
SELECT MIN(salary) FROM employees;
●
AVG() → Computes the average of values.
sql
SELECT AVG(salary) FROM employees;
●
SUM() → Computes the total sum.
sql
SELECT SUM(salary) FROM employees;
●
COUNT() → Counts the number of records.
sql
SELECT COUNT(*) FROM employees; -- Counts all rows
SELECT COUNT(department) FROM employees; -- Counts non-null values
●
Querying & Manipulating Data
GROUP BY
Used to group records that have the same values in specified columns:
sql
SELECT department, AVG(salary) FROM employees GROUP BY department;
HAVING
Filters grouped data based on a condition:
sql
SELECT department, AVG(salary) FROM employees
GROUP BY department
HAVING AVG(salary) > 50000;
ORDER BY
Sorts the result set in ascending (ASC) or descending (DESC) order:
sql
SELECT name, salary FROM employees ORDER BY salary DESC;
Operations on Relations
Union
Combines results of two queries and removes duplicates.
sql
SELECT name FROM employees
UNION
SELECT name FROM managers;
Intersection (Not natively supported in MySQL, but can be simulated using INNER
JOIN)
sql
SELECT name FROM employees
INNER JOIN managers USING(name);
Minus (Difference) (Not directly supported in MySQL, but can be simulated using
NOT IN)
sql
SELECT name FROM employees
WHERE name NOT IN (SELECT name FROM managers);
Cartesian Product
Produces all possible combinations of rows from two tables.
sql
SELECT * FROM employees, departments;
JOIN Operations
Joins combine records from multiple tables based on a common key.
INNER JOIN → Returns matching records from both tables.
sql
SELECT employees.name, departments.dept_name
FROM employees
INNER JOIN departments ON employees.dept_id = departments.dept_id;
●
LEFT JOIN → Returns all records from the left table and matching records from the right
table.
sql
SELECT employees.name, departments.dept_name
FROM employees
LEFT JOIN departments ON employees.dept_id = departments.dept_id;
●
RIGHT JOIN → Returns all records from the right table and matching records from the
left table.
sql
SELECT employees.name, departments.dept_name
FROM employees
RIGHT JOIN departments ON employees.dept_id = departments.dept_id;
●
FULL JOIN (Not supported in MySQL, but can be simulated using UNION)
sql
SELECT employees.name, departments.dept_name
FROM employees LEFT JOIN departments ON employees.dept_id =
departments.dept_id
UNION
SELECT employees.name, departments.dept_name
FROM employees RIGHT JOIN departments ON employees.dept_id =
departments.dept_id;
A computer network is a system that allows computers and other devices to communicate
and share resources. Over time, networking has evolved from simple direct connections
to complex global structures like the internet.
Network Types
Networks are categorized based on their coverage area:
● LAN (Local Area Network): Small-scale, limited to a single location like homes,
offices, or schools.
● WAN (Wide Area Network): Large-scale network covering vast geographical
areas, e.g., the internet.
● MAN (Metropolitan Area Network): Covers a city or large campus, bigger
than LAN but smaller than WAN.
Network Devices
● Modem: Converts digital signals to analog for transmission over phone lines.
● Ethernet Card: Also called a network interface card (NIC), enables
communication between computers.
● Repeater: Boosts signals for long-distance transmission.
● Hub: Connects multiple devices in a network but doesn’t filter data.
● Switch: Similar to a hub but smarter, as it directs data efficiently.
● Router: Connects different networks, including home networks to the internet.
● Gateway: Allows communication between networks using different protocols.
Network Topologies
Network topology refers to the arrangement of devices in a network.
● Mesh Topology: Every device is connected to multiple others, ensuring
reliability but requiring high maintenance.
● Ring Topology: Devices are connected in a circular manner; data travels in one
or both directions.
● Bus Topology: All devices share a single communication line; simple but prone
to failure.
● Star Topology: Central hub connects all devices; if the hub fails, the network
collapses.
● Tree Topology: A hierarchical structure that combines star and bus topologies
for scalability.
MAC vs. IP Address
● MAC Address (Media Access Control): A unique identifier for network
devices, assigned by the manufacturer.
● IP Address (Internet Protocol): A numerical label identifying devices on a
network; can change dynamically.
Difference Between Internet & Web
● Internet: A vast global network connecting millions of computers.
● Web (World Wide Web): A service that runs on the internet, providing
websites and information via browsers.
Hope this helps! Let me know if you need more details. 🚀
more detailed
Sure! Here's a more detailed set of notes on Computer Networks:
Computer Networks - Detailed Notes
Introduction to Computer Networks & Evolution of Networking
A computer network is a system that allows multiple computers and devices to
exchange data and share resources. These networks facilitate communication through
wired or wireless connections.
The evolution of networking has undergone several stages:
1. Standalone Computers: Early computers were isolated and used for specific
tasks.
2. Local Networks (LANs): Computers in offices, schools, and businesses were
connected to share data.
3. Wide Networks (WANs): Organizations with multiple locations established
interconnected systems.
4. The Internet: A global network connecting millions of computers worldwide.
5. Wireless & Mobile Networks: The rise of Wi-Fi, cellular networks, and
cloud-based services made networking more accessible.
Types of Networks
Networks are categorized based on their geographical coverage and purpose:
1. LAN (Local Area Network):
○ Covers a limited area such as a home, office, or school.
○ Provides high-speed communication with minimal latency.
○ Uses Ethernet cables and wireless access points.
2. WAN (Wide Area Network):
○ Covers vast geographical distances, connecting multiple LANs.
○ Used by companies with multiple locations or for global internet
connectivity.
○ Examples: The internet and leased line connections.
3. MAN (Metropolitan Area Network):
○ Covers a city or a large campus.
○ Uses fiber optic technology to provide fast data transfer.
○ Examples: Municipal Wi-Fi networks and government infrastructure.
Network Devices & Their Functions
Various devices help establish and manage computer networks:
1. Modem:
○ Converts digital signals into analog for communication over telephone
lines.
○ Required for broadband internet services.
2. Ethernet Card (NIC - Network Interface Card):
○ Enables communication between computers and networks.
○ Available as wired (Ethernet) and wireless (Wi-Fi) versions.
3. Repeater:
○ Boosts signal strength to extend network coverage.
○ Used in long-distance communications.
4. Hub:
○ Simple device that connects multiple devices in a network.
○ Broadcasts data to all connected devices (less efficient than a switch).
5. Switch:
○ Smarter than a hub; directs data to the intended recipient.
○ Improves network performance and reduces congestion.
6. Router:
○ Connects different networks, such as a home LAN to the internet.
○ Routes data based on IP addresses.
7. Gateway:
○ Allows communication between networks using different protocols.
○ Functions like a bridge between incompatible systems.
Network Topologies
Network topology refers to the physical or logical structure of a network:
1. Mesh Topology:
○ Every device is connected to multiple others.
○ Provides fault tolerance but is expensive to maintain.
2. Ring Topology:
○ Devices are connected in a circular pattern.
○ Data travels in one or both directions.
○ Failure of one device can impact the network unless a backup path exists.
3. Bus Topology:
○ All devices share a common communication line.
○ Simple and cost-effective but prone to congestion and failure.
4. Star Topology:
○ Central device (hub or switch) connects all other devices.
○ If the central device fails, communication is lost.
5. Tree Topology:
○ A hierarchical structure combining multiple star networks.
○ Scalable but complex in implementation.
MAC Address vs. IP Address
MAC and IP addresses help identify devices in a network but serve different purposes:
1. MAC Address (Media Access Control):
○ A unique identifier assigned to a network device by its manufacturer.
○ Used in local communication within a LAN.
2. IP Address (Internet Protocol):
○ Assigned dynamically or statically by a network administrator.
○ Used for global communication over the internet.
Key Difference:
● MAC Address remains constant, while IP Address can change based on the
network.
Internet vs. Web
Although often used interchangeably, the Internet and Web are distinct:
1. Internet:
○ The vast global network connecting millions of devices.
○ Provides infrastructure for services like email, cloud computing, and social
media.
2. Web (World Wide Web):
○ A service that runs on the internet, providing websites and online
applications.
○ Uses protocols like HTTP/HTTPS to access information.
1. Exception Handling in Python
Syntax Errors vs. Exceptions
● Syntax Errors: Occur due to incorrect Python syntax. The interpreter halts
execution.
Example:
python
print("Hello" # Missing closing parenthesis → SyntaxError
○
● Exceptions: Errors that occur during execution, disrupting program flow.
Example:
python
result = 10 / 0 # ZeroDivisionError
○
Need for Exception Handling
Exception handling ensures that programs remain functional by gracefully handling
unexpected errors.
Handling Exceptions
Python provides several mechanisms for handling exceptions:
Try - Except Block
Catches exceptions to prevent program crashes.
python
try:
num = int(input("Enter a number: "))
result = 10 / num
except ZeroDivisionError:
print("Cannot divide by zero!")
except ValueError:
print("Invalid input! Enter a number.")
Try - Except - Else Clause
Executes code if no exception occurs.
python
try:
num = int(input("Enter a number: "))
result = 10 / num
except ZeroDivisionError:
print("Cannot divide by zero!")
else:
print(f"Result: {result}")
Try - Finally Clause
Ensures execution of a block, even if an exception occurs.
python
try:
file = open("data.txt", "r")
content = file.read()
finally:
file.close() # File is closed regardless of errors
User-Defined Exceptions
Python allows custom exceptions using raise.
python
class MyException(Exception):
pass
try:
raise MyException("This is a custom exception")
except MyException as e:
print(e)
Built-in Exception Classes
Python provides various built-in exceptions:
● ZeroDivisionError → Dividing by zero.
● ValueError → Converting non-numeric input into a number.
● TypeError → Using incorrect data types.
● FileNotFoundError → File doesn't exist.
● KeyError → Accessing a non-existent dictionary key.
● IndexError → Accessing an invalid list index.
●
2. File Handling in Python
Types of Files
Python handles two types of files:
● Text Files: Store data as human-readable text.
● Binary Files: Store data in machine-readable format.
Opening & Closing Files
Python uses the open() function:
python
file = open("example.txt", "r") # Open in read mode
file.close() # Close the file
Modes:
● "r" → Read mode
● "w" → Write mode (overwrites existing content)
● "a" → Append mode
● "rb" → Read binary mode
● "wb" → Write binary mode
Reading and Writing Files
Text File Handling
Writing to a file:
python
with open("data.txt", "w") as file:
file.write("Hello, world!\n")
●
Reading from a file:
python
with open("data.txt", "r") as file:
content = file.read()
print(content)
●
Binary File Handling (Using pickle)
Writing a binary file:
python
import pickle
data = {"name": "Alice", "age": 25}
with open("data.pkl", "wb") as file:
pickle.dump(data, file)
●
Reading from a binary file:
python
with open("data.pkl", "rb") as file:
data = pickle.load(file)
print(data)
●
Introduction to Stack (LIFO Operations)
A Stack is a linear data structure that follows the LIFO (Last In, First Out) principle,
meaning the last element added is the first one to be removed.
Characteristics of Stack:
● LIFO Order: The last pushed element is popped first.
● Restricted Access: Insertions and deletions only happen at one end, called the
top of the stack.
● Dynamic Nature: Memory usage grows and shrinks as needed.
Stack Operations (Push and Pop)
1. PUSH Operation (Insertion)
Adds an element to the top of the stack.
python
stack = [] # Initialize an empty stack
stack.append(10) # Push operation
stack.append(20)
print(stack) # Output: [10, 20]
2. POP Operation (Deletion)
Removes the element from the top of the stack.
python
stack.pop() # Removes 20
print(stack) # Output: [10]
Other common operations:
Peek: View the top element without removing it.
python
top_element = stack[-1] # Access last element
print(top_element)
●
Check if Stack is Empty:
python
if not stack:
print("Stack is empty!")
●
Implementation of Stack Using Python List
Python provides a built-in list structure that can be used to implement stacks efficiently.
python
class Stack:
def __init__(self):
self.stack = [] # Using a list as a stack
def push(self, item):
self.stack.append(item) # Adds item to stack
def pop(self):
if not self.is_empty():
return self.stack.pop() # Removes top item
return "Stack is empty!"
def peek(self):
if not self.is_empty():
return self.stack[-1] # Returns top item
return "Stack is empty!"
def is_empty(self):
return len(self.stack) == 0
def display(self):
print(self.stack)
# Example usage
s = Stack()
s.push(5)
s.push(10)
print(s.peek()) # Output: 10
s.pop()
s.display() # Output: [5]
Expression Notations
Mathematical expressions can be written in three different forms:
1. Infix Notation (Standard Notation)
● Operators are placed between operands.
● Example: A + B
● Requires parentheses and operator precedence rules.
2. Prefix Notation (Polish Notation)
● Operators are placed before operands.
● Example: + A B
● Does not need parentheses.
3. Postfix Notation (Reverse Polish Notation)
● Operators are placed after operands.
● Example: A B +
● Easy to evaluate using a stack.
Evaluating Arithmetic Expressions Using Stack
The Postfix notation is ideal for stack-based evaluation because operations can be
directly processed without needing parentheses.
Algorithm for Evaluating Postfix Expression
1. Scan the expression from left to right.
2. Push operands onto the stack.
3. Pop operands when an operator is found, apply the operation, and push the
result back onto the stack.
4. Final result is stored at the top of the stack.
Example: Evaluating 2 3 + 5 *
Steps:
1. Push 2, push 3 → Stack: [2, 3]
2. Encounter +, pop 2 and 3, compute 2+3=5, push 5 → Stack: [5]
3. Push 5 → Stack: [5, 5]
4. Encounter *, pop 5 and 5, compute 5*5=25, push 25 → Stack: [25]
5. Final result: 25
Python Implementation:
python
def evaluate_postfix(expression):
stack = []
for char in expression.split():
if char.isdigit(): # If operand, push onto stack
stack.append(int(char))
else: # If operator, pop two operands and apply operation
b = stack.pop()
a = stack.pop()
if char == '+':
stack.append(a + b)
elif char == '-':
stack.append(a - b)
elif char == '*':
stack.append(a * b)
elif char == '/':
stack.append(a / b)
return stack.pop() # Final result
# Example usage
expression = "2 3 + 5 *"
print(evaluate_postfix(expression)) # Output: 25
Conversion of Infix Expression to Postfix Expression
The conversion follows operator precedence and associativity using a stack.
Algorithm for Conversion
1. Scan the infix expression from left to right.
2. Operands are directly added to the output.
3. Operators are pushed onto a stack, considering precedence.
4. Parentheses are used to control precedence.
5. Pop all remaining operators from the stack when the expression ends.
Example: Convert A + B * C to Postfix
Steps:
1. Operand A → Output: A
2. Operator + → Stack: +
3. Operand B → Output: A B
4. Operator * → Stack: + *
5. Operand C → Output: A B C
6. Pop * → Output: A B C *
7. Pop + → Output: A B C * +
Final Postfix Expression: A B C * +
Python Implementation:
python
def infix_to_postfix(expression):
precedence = {'+': 1, '-': 1, '*': 2, '/': 2}
output = []
stack = []
for char in expression:
if char.isalpha(): # Operand
output.append(char)
elif char in precedence: # Operator
while stack and precedence.get(stack[-1], 0) >= precedence[char]:
output.append(stack.pop())
stack.append(char)
elif char == '(':
stack.append(char)
elif char == ')':
while stack and stack[-1] != '(':
output.append(stack.pop())
stack.pop()
while stack:
output.append(stack.pop())
return " ".join(output)
# Example usage
expression = "(A + B) * C"
print(infix_to_postfix(expression)) # Output: "A B + C *"
Conclusion
● Stacks are useful for handling expressions and implementing LIFO operations.
● Postfix notation simplifies arithmetic evaluation.
● Infix to postfix conversion uses stack-based precedence rules.
Introduction to Queue (FIFO)
A Queue is a linear data structure that follows the FIFO (First In, First Out) principle,
meaning the first element added to the queue is the first one to be removed.
Characteristics of Queue:
● FIFO Order: The first element inserted is processed first.
● Sequential Processing: Used in scheduling, task management, and real-world
applications like customer service queues.
● Dynamic Size: Memory usage grows and shrinks based on need.
Common applications of queues:
● Job Scheduling: Printer queue, CPU process scheduling.
● Data Buffers: Handling streaming and real-time data processing.
● Message Queues: Used in networking and inter-process communication.
Operations on Queue
1. INSERT (Enqueue)
Adds an element to the rear of the queue.
python
queue = [] # Initialize an empty queue
queue.append(10) # Enqueue operation
queue.append(20)
print(queue) # Output: [10, 20]
2. DELETE (Dequeue)
Removes an element from the front of the queue.
python
queue.pop(0) # Dequeue operation, removes 10
print(queue) # Output: [20]
Other common operations:
Peek (Front Element): View the front element without removing it.
python
front_element = queue[0] # Access first element
print(front_element)
●
Check if Queue is Empty:
python
if not queue:
print("Queue is empty!")
●
Queue Implementation Using Python List
Python provides a built-in list structure that can be used to implement queues efficiently.
python
class Queue:
def __init__(self):
self.queue = [] # Using a list as a queue
def enqueue(self, item):
self.queue.append(item) # Adds item to queue
def dequeue(self):
if not self.is_empty():
return self.queue.pop(0) # Removes first item
return "Queue is empty!"
def peek(self):
if not self.is_empty():
return self.queue[0] # Returns first item
return "Queue is empty!"
def is_empty(self):
return len(self.queue) == 0
def display(self):
print(self.queue)
# Example usage
q = Queue()
q.enqueue(5)
q.enqueue(10)
print(q.peek()) # Output: 5
q.dequeue()
q.display() # Output: [10]
Introduction to DQueue (Deque - Double-Ended Queue)
A Deque (Double-Ended Queue) is a more flexible data structure where elements can
be added or removed from both ends.
Operations in Deque
1. Insert at Front (appendleft())
2. Insert at Rear (append())
3. Delete from Front (popleft())
4. Delete from Rear (pop())
Deque Implementation Using Python's collections.deque
Python provides the deque class for efficient deque operations.
python
from collections import deque
# Initialize deque
dq = deque()
# Inserting elements
dq.append(10) # Insert at rear
dq.appendleft(5) # Insert at front
print(dq) # Output: deque([5, 10])
# Removing elements
dq.pop() # Remove from rear
dq.popleft() # Remove from front
print(dq) # Output: deque([])
Conclusion
● Queues follow FIFO and are essential for sequential processing.
● Deque (DQueue) provides flexibility for both front and rear operations.
● Python list and collections.deque offer efficient implementations.
Introduction to Searching
Searching is the process of finding an element within a collection of data. It is one of the
fundamental operations in computer science and is used in various applications like
databases, information retrieval, and artificial intelligence.
Two primary searching techniques are:
1. Sequential Search (Linear Search)
2. Binary Search
Each algorithm has different time complexities, which determine their efficiency based
on data size.
1. Sequential Search (Linear Search)
Sequential search checks each element in a list one by one until the desired element is
found or the list ends.
Algorithm:
1. Start from the first element.
2. Compare each element with the target value.
3. If a match is found, return its position.
4. If the list ends without a match, return Not Found.
Python Implementation:
python
def linear_search(arr, target):
for index, value in enumerate(arr):
if value == target:
return index # Return the position of the target
return -1 # Target not found
# Example Usage
arr = [10, 20, 30, 40, 50]
target = 30
print(linear_search(arr, target)) # Output: 2
Analysis of Linear Search:
● Best Case: Target found at the first position O(1).
● Worst Case: Target found at the last position or not found O(n).
● Average Case: O(n/2) ≈ O(n).
Linear search is inefficient for large datasets, but useful for unsorted data.
2. Binary Search
Binary search is a faster algorithm but requires a sorted list. It repeatedly divides the
search space in half until the target element is found.
Algorithm:
1. Set the left and right pointers to the first and last elements.
2. Compute the middle index.
3. Compare the middle element with the target.
4. If the middle element matches the target, return the index.
5. If the target is less than the middle element, search the left half.
6. If the target is greater, search the right half.
7. Repeat until the target is found or the search space is empty.
Python Implementation:
python
def binary_search(arr, target):
left, right = 0, len(arr) - 1
while left <= right:
mid = (left + right) // 2 # Find middle index
if arr[mid] == target:
return mid # Return position
elif arr[mid] < target:
left = mid + 1 # Search right half
else:
right = mid - 1 # Search left half
return -1 # Target not found
# Example Usage
arr = [10, 20, 30, 40, 50]
target = 30
print(binary_search(arr, target)) # Output: 2
Analysis of Binary Search:
● Best Case: Middle element is the target O(1).
● Worst Case: Target found after full log-based division O(log n).
● Average Case: O(log n).
Binary search is much faster than linear search, especially for large datasets.
Dry Run - Best, Worst, and Average Cases
Example: Searching for 30 in [10, 20, 30, 40, 50]
Sequential Search:
1. Compare 10 → No match.
2. Compare 20 → No match.
3. Compare 30 → Match found! (Best case after 3 iterations).
Binary Search (Sorted List Required):
1. Middle element = 30 → Match found immediately! (Best case in 1 step).
Worst Case for Binary Search (Searching for 5 in [10, 20, 30, 40, 50]):
1. Middle = 30 → 5 is smaller, search left [10, 20].
2. Middle = 20 → 5 is smaller, search left [10].
3. Middle = 10 → 5 is smaller, but no more elements → Not found (3 iterations).
Binary search minimizes unnecessary comparisons!
Comparison Table - Sequential vs. Binary Search
Algorithm Time Complexity Time Complexity Requires Sorted
(Best) (Worst) Data?
Sequential O(1) O(n) ❌ No
Search
Binary Search O(1) O(log n) ✅ Yes
Conclusion:
● Sequential search is simple but slow.
● Binary search is efficient but requires sorting first.
Sorting Algorithms
Sorting helps organize data in a structured manner, making operations like searching
more efficient. Let's explore the sorting techniques in greater detail.
1. Bubble Sort (Repeated Swaps)
Intuition: Think of bubbles rising in water—larger bubbles (bigger elements) "float"
to the top after multiple comparisons.
Step-by-Step Explanation:
1. Compare adjacent elements.
2. Swap if the left element is greater than the right.
3. Continue until all elements are sorted.
Dry Run Example
For [5, 3, 8, 1, 2], let's perform Bubble Sort step by step.
Pass Array State
Initial [5, 3, 8, 1, 2]
Step [3, 5, 8, 1, 2] (5 & 3
1 swapped)
Step [3, 5, 8, 1, 2] (5 & 8
2 unchanged)
Step [3, 5, 1, 8, 2] (8 & 1
3 swapped)
Step [3, 5, 1, 2, 8] (8 & 2
4 swapped)
Repeat the process until the entire list is sorted.
Time Complexity:
● Worst/Average Case: O(n²)
● Best Case: O(n) (if already sorted) Bubble Sort is slow and inefficient for large
lists.
2. Selection Sort (Find Min & Swap)
Intuition: Imagine selecting the smallest element and placing it at the beginning
repeatedly.
Step-by-Step Explanation:
1. Find the smallest element in the unsorted list.
2. Swap it with the first unsorted element.
3. Repeat for the next unsorted portion.
Dry Run Example
Sorting [5, 3, 8, 1, 2] using Selection Sort:
Pass Array State
Initial [5, 3, 8, 1, 2]
Find Min 1, swap with 5 → [1, 3, 8,
5, 2]
Find Next Min 2, swap with 3 → [1, 2, 8,
5, 3]
Find Next Min 3, swap with 8 → [1, 2, 3,
5, 8]
Selection Sort always performs O(n²) swaps, even if the array is sorted.
3. Insertion Sort (Build Sorted List)
Intuition: Think of sorting playing cards in your hand—placing each card in the right
position one by one.
Step-by-Step Explanation:
1. Start with the second element.
2. Compare it with previous elements and shift them if needed.
3. Insert it into the correct position.
4. Repeat for all elements.
Dry Run Example
Sorting [5, 3, 8, 1, 2] using Insertion Sort:
Step Array State
Initial [5, 3, 8, 1, 2]
Insert [3, 5, 8, 1, 2] (shift 5, insert 3)
3
Insert [3, 5, 8, 1, 2] (8 is in correct position)
8
Insert 1 [1, 3, 5, 8, 2] (shift everything and
insert 1)
Insert [1, 2, 3, 5, 8] (shift 3, insert 2)
2
Time Complexity:
● Worst Case: O(n²)
● Best Case: O(n) (if nearly sorted) Insertion Sort is efficient for small datasets.
Comparison of Sorting Algorithms
Algorithm Best Worst Stability Use Case
Case Case
Bubble Sort O(n) O(n²) ✅ Stable Small datasets
Selection O(n²) O(n²) ❌ Not Small datasets
Sort stable
Insertion O(n) O(n²) ✅ Stable Nearly sorted
Sort data
Bubble Sort and Selection Sort are slow (O(n²)), whereas Insertion Sort works well for
small lists or nearly sorted lists.
Hashing - Efficient Searching
Instead of searching element-by-element, hashing uses a mathematical function to
directly find values.
Hash Functions
A hash function converts an input (like a name) into a unique numeric index.
Example:
python
hash_value = hash("Alice") % 10
print(hash_value) # Returns an index between 0-9
Collision Resolution Strategies
1. Open Addressing: Store the new element in the next available slot.
2. Chaining: Use a linked list at each index to store multiple elements.
Python Implementation of Hashing
python
hash_table = {}
# Insert key-value pairs
hash_table["name"] = "Alice"
hash_table["age"] = 25
# Retrieve values
print(hash_table["name"]) # Output: Alice
Hashing is useful for: ✔ Fast lookup in databases ✔ Search engines ✔ Cryptography
Final Thoughts
Sorting techniques like Bubble, Selection, and Insertion Sort organize data
efficiently. Meanwhile, hashing enables fast searches.
● Sorting helps organize data for efficient retrieval.
● Hashing allows direct access to elements.
1. What is Data?
Data is raw information that can be collected, stored, and analyzed to extract meaningful
insights. It exists in various forms:
● Quantitative Data: Numerical values (e.g., age, temperature).
● Qualitative Data: Descriptive values (e.g., colors, emotions).
Purpose of Data
Data serves multiple roles: ✔ Decision Making – Businesses use data for strategic
planning. ✔ Scientific Analysis – Researchers use data for experiments. ✔
Prediction & Forecasting – AI models predict trends using historical data.
2. Collection & Organization of Data
Data must be collected systematically for reliable analysis.
Methods of Data Collection
● Surveys & Questionnaires – Asking people questions.
● Observations – Recording real-world events.
● Experiments – Testing variables.
● Existing Records – Using previously stored data.
Organizing Data
Data is usually stored in:
● Tables & Spreadsheets – Simple format for structured data.
● Graphs & Charts – Visual representation.
● Databases – Large-scale structured storage.
3. Understanding Data Using Statistical Methods
Statistical analysis helps interpret data accurately.
Mean (Average)
The mean is the average value of a dataset. Formula:
Mean: total sum of all/ total count
Example: For [5, 10, 15],
mean= 5+10+15/3
Median (Middle Value)
The median is the middle number when data is sorted.
● If odd count → Middle element.
● If even count → Average of two middle elements.
Example: [5, 10, 15] → Median = 10 [2, 4, 6, 8] → Median = (4+6)/2 = 5
Standard Deviation (Spread of Data)
Standard deviation measures how spread out values are.
Formula:
● Low standard deviation → Data points are close to the mean.
● High standard deviation → Data is spread out.
Example: For [2, 4, 6, 8], standard deviation will show variation from the mean.
Variance (Measure of Dispersion)
Variance quantifies how far numbers are from the mean. Formula:
Variance=(Standard Deviation)^2
● Low variance → Numbers are close together.
● High variance → Numbers differ significantly.
4. Data Interpretation
Data interpretation involves analyzing patterns, trends, and anomalies.
Key Techniques for Interpretation
✔ Comparing Data – Finding relationships. ✔ Graphical Representation – Using
pie charts, histograms, and line graphs. ✔ Detecting Outliers – Finding unusual
values affecting analysis. ✔ Correlation Analysis – Understanding if variables are
linked.
1. Introduction to Database Concepts
A database is an organized collection of data that enables efficient retrieval, storage,
and management. Databases are widely used in applications such as banking,
e-commerce, and inventory systems.
Difference Between Database and File System
Feature File System Database
Data Structure Stored in files Stored in tables
(structured)
Data Manual Automated with queries
Management
Security Limited Strong access control
Redundancy High (duplicate Low (data normalization)
data)
Integrity Weak Strong with constraints
Databases eliminate redundancy and provide efficient data retrieval compared to
traditional file storage.
2. Relational Data Model
The relational model organizes data into tables (relations). It was introduced by E. F.
Codd in 1970.
Key Terms in the Relational Model
● Domain: The set of valid values for a column.
○ Example: "Age" column → Domain: {18, 19, 20, ...}
● Tuple: A single row in a table.
● Relation: A table containing tuples (rows) and attributes (columns).
3. Types of Keys in a Relational Database
Keys uniquely identify records in a table.
Key Type Definition
Candidate Any column (or set of columns) that uniquely identifies a
Key row
Primary Key The selected candidate key (must be unique and not
NULL)
Alternate Key Candidate keys that are not selected as primary keys
Foreign Key A column that references the primary key of another table
Example Table: Student Database
Student_ID Nam Ag Course_ID
(PK) e e (FK)
101 Alice 20 C01
102 Bob 22 C02
●
Student_ID is the Primary Key (PK) → Unique for each student.
● Course_ID is a Foreign Key (FK) → Links to another table.
4. Relational Algebra
Relational algebra is a mathematical approach used to manipulate and query relational
databases.
Basic Operations in Relational Algebra
1. Selection (σ): Retrieves rows that satisfy a condition.
○ Example: σ Age > 20 (Student) → Fetches students older than 20.
2. Projection (π): Selects specific columns.
○ Example: π Name, Age (Student) → Returns only names and ages.
3. Union (∪): Combines two tables with the same structure.
○ Example: Student ∪ Alumni → Merges student and alumni records.
4. Set Difference (-): Finds records present in one table but not the other.
○ Example: Student - DroppedOut → Students not in the dropout list.
5. Cartesian Product (×): Joins tables without a common key.
○ Example: Student × Course → Pairs all students with all courses.
Relational algebra serves as the foundation for SQL queries.
1. Advantages of Using SQL
Structured Query Language (SQL) is widely used for managing relational databases. Key
benefits include:
● Efficient Data Management – Allows retrieval, updating, and deletion of
records.
● Scalability – Used in both small databases and enterprise systems.
● Data Integrity & Security – Provides constraints like PRIMARY KEY and
FOREIGN KEY.
● Standardized Language – Works across most database management systems
(MySQL, PostgreSQL, SQL Server).
2. SQL Classification
SQL is divided into three primary categories:
Data Definition Language (DDL)
● Defines the structure of a database.
● Commands:
○ CREATE TABLE → Creates a new table.
○ DROP TABLE → Deletes an existing table.
○ ALTER TABLE → Modifies an existing table.
Data Query Language (DQL)
● Retrieves data from the database.
● Commands:
○ SELECT → Fetches data from tables.
○ FROM → Specifies the source table.
○ WHERE → Filters records based on conditions.
Data Manipulation Language (DML)
● Used to modify database contents.
● Commands:
○ INSERT INTO → Adds new records.
○ UPDATE → Modifies existing records.
○ DELETE → Removes records.
3. Introduction to MySQL & Creating a Database
MySQL is an open-source relational database management system (RDBMS). To create a
database in MySQL:
sql
CREATE DATABASE SchoolDB;
USE SchoolDB;
Creating a Table
sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT,
Course VARCHAR(50)
);
Data Types in MySQL
Data Description
Type
INT Stores integers
VARCHAR Stores text (up to n
(n) characters)
DATE Stores date values
FLOAT Stores decimal numbers
4. SQL Operations & Functions
Math Functions
Used for numerical calculations:
sql
SELECT POWER(2,3), ROUND(15.678,2), MOD(10,3);
● POWER(2,3) → 2³ = 8
● ROUND(15.678,2) → 15.68
● MOD(10,3) → 1 (remainder when 10 ÷ 3)
Text Functions
Used for string manipulation:
sql
SELECT UCASE('hello'), LCASE('WORLD'), SUBSTRING('database', 3, 4);
● UCASE('hello') → HELLO
● LCASE('WORLD') → world
● SUBSTRING('database', 3, 4) → taba (Extracts from position 3 for 4
characters)
Date Functions
Work with date values:
sql
SELECT NOW(), MONTHNAME('2025-05-13'), YEAR('2024-12-01');
● NOW() → Current date/time
● MONTHNAME('2025-05-13') → May
● YEAR('2024-12-01') → 2024
5. Aggregate Functions
Used for summarizing data:
sql
SELECT MAX(Age), MIN(Age), AVG(Age), SUM(Age), COUNT(*) FROM Students;
● MAX(Age) → Oldest student.
● MIN(Age) → Youngest student.
● AVG(Age) → Average age.
● SUM(Age) → Total of all ages.
● COUNT(*) → Number of students.
6. Querying & Data Manipulation
Grouping & Filtering Results
sql
SELECT Course, COUNT(*)
FROM Students
GROUP BY Course
HAVING COUNT(*) > 5
ORDER BY Course ASC;
● GROUP BY → Groups students by course.
● HAVING COUNT() > 5* → Filters groups with more than 5 students.
● ORDER BY Course ASC → Sorts alphabetically.
7. Operations on Relations
Union
Combines results from multiple tables:
sql
SELECT Name FROM Students
UNION
SELECT Name FROM Alumni;
Intersection
Finds common records:
sql
SELECT Name FROM Students
INTERSECT
SELECT Name FROM Alumni;
Minus (Difference)
Returns unique records:
sql
SELECT Name FROM Students
EXCEPT
SELECT Name FROM Alumni;
Cartesian Product
Pairs all rows from both tables:
sql
SELECT * FROM Students, Courses;
JOIN
Combines tables based on common keys:
sql
SELECT Students.Name, Courses.CourseName
FROM Students
JOIN Courses ON Students.CourseID = Courses.CourseID;
Final Thoughts
SQL is an essential tool for database management, data retrieval, and
modifications. Understanding DDL, DML, and DQL
1. Introduction to Computer Networks & Evolution of Networking
A computer network is a system that enables multiple devices (computers, phones,
servers) to communicate and share resources, such as files, printers, and internet
connections.
Evolution of Networking
Networking has evolved significantly:
● Early Communication (1960s): Computers were standalone, and data transfer
was manual.
● Local Area Networks (LANs) (1970s): Organizations started connecting
computers for easier file sharing.
● Wide Area Networks (WANs) (1980s): Long-distance networking expanded,
forming global communication systems.
● The Internet Boom (1990s-Present): Worldwide internet access became the
foundation for modern connectivity.
2. Network Types
Networks are classified based on their geographic scope:
Network Type Coverage Example
LAN (Local Area Network) Small-scale (home, office, Wi-Fi networks in homes
school)
WAN (Wide Area Large geographical areas The Internet
Network)
MAN (Metropolitan Area City-wide networks Government or university
Network) networks
3. Network Devices
Devices that facilitate communication between computers in a network:
Device Function
Modem Converts digital signals to analog for internet access
Ethernet Card Allows computers to connect to a network
(NIC)
Repeater Boosts network signals over long distances
Hub Connects multiple devices but lacks traffic control
Switch Directs data efficiently between network devices
Router Connects different networks, such as home Wi-Fi to the Internet
Gateway Allows communication between networks using different
protocols
4. Network Topologies
Network topology refers to how devices are arranged within a network.
Topolog Description Advantages Disadvantages
y
Mesh Devices are interconnected Highly reliable Expensive & complex
Ring Devices form a circular Easy to install Failure at one point affects
path the network
Bus Devices share a single Simple & A cable failure disrupts
communication cable cost-effective communication
Star Central device (hub/switch) Easy If the central device fails,
connects all nodes management network collapses
Tree Hierarchical structure Scalable & easy Complex to set up
combining multiple stars expansion
5. MAC vs. IP Address
Addresses that identify devices in a network:
● MAC Address (Media Access Control):
○ Unique hardware identifier assigned to a device by its manufacturer.
○ Does not change (permanent).
○ Example: 00:1B:44:11:3A:B7
● IP Address (Internet Protocol):
○ Logical address assigned by the network or internet provider.
○ Can change dynamically.
○ Example: 192.168.1.1
6. Difference Between Internet & Web
Although often used interchangeably, Internet and Web are distinct:
Feature Internet Web
Definitio A global network connecting millions A service that runs on the internet
n of computers
Function Provides infrastructure for data Enables websites, browsing, and
transmission online services
Protocol TCP/IP HTTP, HTTPS
s
Example Email, online gaming, cloud storage Websites, search engines, social
s media
1. Concept of Communication
Data communication refers to the transfer of digital information between two or more
devices. It is essential for networking, internet functionality, and wireless systems.
Types of Data Communication
1. Simplex Communication – One-way communication (e.g., radio broadcasting).
2. Half-Duplex Communication – Two-way communication, but only one direction
at a time (e.g., walkie-talkie).
3. Full-Duplex Communication – Simultaneous two-way communication (e.g.,
telephone calls).
2. Switching Techniques
Switching techniques determine how data is transmitted across a network.
1. Circuit Switching – A dedicated communication path is established before
transmission (e.g., telephone networks).
2. Packet Switching – Data is divided into packets and sent independently over
the network (e.g., the internet).
3. Message Switching – Entire messages are stored and forwarded until they
reach the destination.
3. Communication Media
Data is transmitted through wired or wireless technologies.
Wired Technologies
Technology Description
Twisted Pair Copper cables used in LAN connections.
Cable
Co-axial Cable Used in cable television and broadband
networks.
Ethernet Cable Standard wired connection for computer
networks.
Optical Fibre High-speed data transmission using light
signals.
Wireless Technologies
Technology Description
Bluetooth Short-range wireless communication for devices.
WLAN (Wi-Fi) Wireless internet connectivity.
Infrared Used in remote controls for short-range data transfer.
Microwave High-frequency signals used in satellite
communication.
4. Introduction to Mobile Telecommunication Technologies
Mobile networks allow wireless communication via cellular towers. Technologies
include:
● 2G (Second Generation) – Basic phone calls and SMS.
● 3G (Third Generation) – Faster data speeds for internet access.
● 4G (Fourth Generation) – High-speed internet and streaming.
● 5G (Fifth Generation) – Ultra-fast data and low latency for IoT and smart
applications.
5. Network Protocols
A protocol is a set of rules that governs communication between devices.
Categorization & Examples of Protocols
Protocol Type Examples
Application Layer HTTP, FTP, SMTP
Protocols
Network Layer Protocols IP (Internet Protocol)
Data Link Layer Protocols PPP (Point-to-Point Protocol)
Common Protocols
● HTTP (Hypertext Transfer Protocol) – Used for website access.
● FTP (File Transfer Protocol) – Allows file transfers between computers.
● IP (Internet Protocol) – Routes data packets across networks.
● PPP (Point-to-Point Protocol) – Establishes direct connections between two
networks.
● Email Protocols (SMTP, IMAP, POP3) – Used for email communication.
6. Concept of Channel, Bandwidth, and Data Transfer Rate
Channel
A communication channel is a medium used to transmit signals.
Bandwidth
Bandwidth defines the capacity of a communication channel, measured in:
● Hz (Hertz) → Basic frequency unit.
● KHz (Kilohertz) → 1,000 Hz.
● MHz (Megahertz) → 1,000,000 Hz.
● GHz (Gigahertz) → 1,000,000,000 Hz.
Data Transfer Rate
The speed at which data is transmitted, measured in:
● bps (Bits per second) – Basic unit of data speed.
● Kbps (Kilobits per second) – 1,000 bits per second.
● Mbps (Megabits per second) – 1,000,000 bits per second.
● Gbps (Gigabits per second) – 1,000,000,000 bits per second.
● Tbps (Terabits per second) – 1,000,000,000,000 bits per second.
Final Thoughts
Data communication is the foundation of networking, enabling wired and wireless
connectivity worldwide. Protocols, switching, and bandwidth play critical roles in
ensuring efficient communication.
Network Security - Notes
1. Threats & Prevention
Various threats can compromise computer security. Here’s an overview of the most
common ones and how to prevent them:
Viruses
● What? A virus is malicious software that attaches to files and spreads when
executed.
● Prevention: Use antivirus software, avoid suspicious downloads, and regularly
update your system.
Worms
● What? Worms replicate themselves across networks without needing user action.
● Prevention: Enable firewalls, regularly scan for threats, and block unauthorized
access.
Trojan Horse
● What? A Trojan horse disguises itself as legitimate software but contains harmful
code.
● Prevention: Verify downloads, avoid pirated software, and use antimalware
tools.
Spam
● What? Unwanted email or messages, often containing malicious links or
phishing attempts.
● Prevention: Use spam filters, never click on unknown links, and avoid sharing
personal emails publicly.
Cookies
● What? Small files stored on your computer that track browsing data.
● Prevention: Manage cookies in browser settings, use private browsing, and
delete unnecessary cookies.
Adware
● What? Software that shows excessive advertisements, often bundled with free
programs.
● Prevention: Use ad blockers, avoid clicking on intrusive ads, and scan software
before installation.
Firewall
● What? A security barrier that filters network traffic to protect against threats.
● Prevention: Activate firewall settings, configure inbound and outbound rules
carefully.
HTTP vs HTTPS
● HTTP (HyperText Transfer Protocol) is a basic web communication protocol.
● HTTPS (Secure HTTP) encrypts data, making it safer for sensitive transactions.
● Prevention: Always use HTTPS for secure browsing (check for the padlock icon
in the browser).
2. Network Security Concepts
Firewall
● Protects a network by blocking unauthorized access while allowing safe
communication.
● Can be hardware-based (routers) or software-based (built-in system firewalls).
Cookies (Security Aspect)
● Track user activity and store login details.
● Security concern: Some cookies may be exploited for tracking user data.
● Prevention: Regularly clear cookies, disable third-party tracking.
Hackers & Crackers
● Hackers: Often ethical professionals who improve cybersecurity.
● Crackers: Malicious actors who break into systems illegally.
3. Antivirus & Its Working
What is Antivirus?
Antivirus software detects and removes malware from a system.
How It Works
1. Scanning Files – Searches for known virus signatures.
2. Behavior Analysis – Monitors abnormal activity.
3. Quarantine & Removal – Isolates infected files and removes threats.
Popular antivirus software includes Windows Defender, Norton, McAfee, Avast.
4. Network Security Threats
Denial of Service (DoS) Attack
● What? Overloading a network or server, making it unavailable to legitimate
users.
● Prevention: Use intrusion detection systems (IDS), block suspicious IPs.
Intrusion Problems
● What? Unauthorized access to a system or network.
● Prevention: Enable strong authentication methods (passwords, biometrics).
Snooping
● What? Unauthorized monitoring of network traffic.
● Prevention: Use encryption, VPNs, and secure network protocols.
Eavesdropping
● What? Intercepting communication to steal sensitive data.
● Prevention: Use end-to-end encryption and secure Wi-Fi connections.
Final Thoughts
Network security requires constant vigilance. Using firewalls, strong passwords,
antivirus software, and encrypted connections can significantly reduce risks