ALPHA-X UNIVERSITY STAFF GUIDE
Alpha-X Administration
 University Staff Guide | Basic Computer Science {T1}
 DOCUMENT ACCESS: UNIVERSITY SECURITY CLEARANCE
 DOCUMENT USAGE: IN USE
 ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
 Doc. Information & Procedures:
 Document Information:
 This comprehensive guide is exclusively intended for authorized university staff and
 serves as an indispensable resource for the Basic Computer Science {T1} Course. Its
 contents are classified to ensure confidentiality and must be referenced with utmost
 discretion. Always validate the "IN USE" tag to ensure the accuracy and currency of
information contained herein, promptly reporting any inconsistencies or irregularities
 detected.
 Global Leakage Procedure:
 If you suspect or witness any information leakage, breach of confidentiality, or
 unauthorized disclosure of sensitive data within Alpha-X, please immediately report
 such incidents to the Internal Affairs & Compliance Unit; or in the case of this
 document, Administration. Contact us through designated channels or notify the
 assigned personnel responsible for security matters. Provide detailed information on
 the incident while maintaining strict confidentiality. Your prompt reporting is
 crucial in preserving Alpha-X's security standards and integrity.
 Alpha-X Administration Suspension Guideline:
This document is under Administration Judrristion, Administration at Alpha-X holds the
 authority to suspend any personnel found or suspected of leaking contents, whether
 intentional or accidental, pending a thorough investigation. Suspected leaks
 compromising sensitive information may result in immediate suspension to ensure the
 preservation of Alpha-X's confidentiality and security. We urge all personnel to
 adhere strictly to security protocols and report any potential breaches promptly to
 mitigate risks and maintain the integrity of our group.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
 University Staff Guide Introduction:
 This guide serves as the bedrock for your role as an educator, whether you're an
 instructor or a professor. While you have considerable autonomy in your teaching
 approach, our curriculum will provide the framework. Your delivery is anticipated to
be a comprehensive lecture lasting a maximum of two hours, and its assessment will be
 conducted by the Head Professor through external evaluation.
 Maintain focus throughout the session; stray from unnecessary tangents and uphold a
rigorous teaching methodology. It's crucial to be stringent in your approach, yet also
 provide students with ample opportunities to grasp the subject matter. Attend closely
 to their learning needs, offering support to facilitate their achievement of
 educational objectives.
 Introduction: Establishing Your Presence
 The Basic Computer Science Course is split into Term 1 and 2, in this guide, we will
 focus on term 1. Which is the study of basic python.
 You are to explain everything below just as you read it, take freedom.
Python is a high-level, versatile, and interpreted programming language known for its
 simplicity and readability. Created by Guido van Rossum and first released in 1991,
 Python has gained immense popularity due to its ease of learning and powerful
 capabilities
 Integrated Development Environment (IDE) is a software application that provides
 comprehensive facilities to programmers for software development. In the case of
Python, there are several popular IDEs that cater to different needs and preferences.
 Some famous IDE’s are:
 1. PyCharm: Developed by JetBrains, PyCharm is a powerful and feature-rich IDE
 specifically designed for Python. It offers intelligent code completion, error
 highlighting, debugging capabilities, version control integration, and support
 for web development frameworks like Django.
 2. Jupyter Notebook/JupyterLab: Jupyter Notebook is an open-source web application
 that allows you to create and share documents containing live code, equations,
 visualizations, and narrative text. JupyterLab is an improved version with a
 more comprehensive interface and additional features.
 3. Visual Studio Code (VSCode): Although not exclusively for Python, VSCode is a
 highly customizable and lightweight IDE developed by Microsoft. With the help
 of Python extensions, it becomes a robust Python development environment,
 offering features like IntelliSense, debugging, and version control.
 4. Spyder: Spyder is an IDE specifically designed for scientific computing and
 data analysis with Python. It includes features such as a variable explorer,
 integrated IPython console, and support for NumPy, SciPy, Matplotlib, and other
 scientific libraries.
 5. Atom: Atom is a free and open-source text editor developed by GitHub. With
 various Python-related packages and extensions available, it can be turned into
 a Python development environment offering features like code folding, find and
 replace, and integration with Git.
 6. IDLE (Python's Integrated Development and Learning Environment): IDLE comes
 bundled with the standard Python distribution. It is a basic IDE suitable for
 beginners, featuring a simple code editor, debugger, and interactive shell.
Screenshare VSCode and prepare to teach the student, only screenshare VSCode, do not
screenshare this document, and be careful of that since it’s a very common mistake.
We will start off with some of the very basics:
In Python, a variable is a named storage location that holds data. You can assign
values to variables using the assignment operator =.
 Variables, Naming Conventions, and Assignment:
In Python, variables are used to store data values. You can create a variable and
assign it a value using the assignment operator =. For example:
x = 5
name = "Alice"
is_valid = True
Variable Declaration: Python does not require explicit declaration of variables or
their types. Variables are created when you assign a value to them.
Naming Conventions:
1. Variable names should be descriptive and meaningful.
2. They can contain letters (both uppercase and lowercase), digits, and underscores
(_).
3. Variables cannot start with a digit.
4. Python is case-sensitive; myVar and myvar would be considered as different
variables.
Data Types: Integers, Floats, Strings, Booleans:
Integers (int): Whole numbers without any fractional part.
x = 5
y = -10
Floats (float): Numbers with a decimal point or in exponential form.
pi = 3.14
number = 2.5e3 # 2.5 * 10^3 = 2500.0
Strings (str): A sequence of characters enclosed in single (' ') or double (" ")
quotes.
name = 'Alice'
greeting = "Hello, World!"
Booleans (bool): Represents truth values True or False.
is_valid = True
is_admin = False
Type Conversion and Basic Operations:
Python provides built-in functions to convert between different data types:
 ● int(): Converts to an integer.
 ● float(): Converts to a float.
 ● str(): Converts to a string.
 ● bool(): Converts to a boolean.
Type Conversion Examples:
1. Converting to Integer (int()):
You can convert a value to an integer using the int() function. If the value is a
floating-point number, it will truncate the decimal part.
float_number = 3.7
integer_number = int(float_number)
print(integer_number) # Output: 3
2. Converting to Float (float()):
Converting to a float will turn the value into a floating-point number, even if it's
an integer.
int_number = 5
float_number = float(int_number)
print(float_number) # Output: 5.0
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
3. Converting to String (str()):
You can convert various data types to strings using the str() function. This is
particularly useful when you want to concatenate numbers with strings.
number = 42
number_as_string = str(number)
print("The answer is: " + number_as_string) # Output: The answer is: 42
4. Converting to Boolean (bool()):
The bool() function can convert various types to boolean values. In Python, any non-
zero number or non-empty object evaluates to True, while 0, empty strings, empty
lists, etc., evaluate to False.
number = 10
boolean_value = bool(number)
print(boolean_value) # Output: True
zero = 0
boolean_value = bool(zero)
print(boolean_value) # Output: False
empty_string = ""
boolean_value = bool(empty_string)
print(boolean_value) # Output: False
Implicit vs. Explicit Type Conversion:
Implicit Type Conversion: Python automatically converts data types in certain
situations. For example, adding an integer to a float will result in a float.
result = 10 + 3.5 # Implicitly converts 10 to 10.0 (float)
print(result) # Output: 13.5
Explicit Type Conversion: In contrast, explicit type conversion (using functions like
int(), float(), etc.) requires you to specify the conversion explicitly.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Basic Operations:
Python supports various arithmetic operations:
Arithmetic Operations:
- Addition (+)
- Subtraction (-)
- Multiplication (*)
- Division (/)
- Floor Division (//)
- Modulus (%)
- Exponentiation (**).
a = 10
b = 3
sum_ab = a + b # 13
difference_ab = a - b # 7
product_ab = a * b # 30
division_ab = a / b # 3.3333333333333335 (float
division)
floor_div_ab = a // b # 3 (integer division)
remainder_ab = a % b # 1 (remainder of division)
power_ab = a ** b # 1000 (a raised to the power of b)
Control Structures:
Conditional Statements (if, elif, else):
Conditional statements in Python allow you to execute specific blocks of code based on
certain conditions.
x = 10
if x > 10:
 print("x is greater than 10")
elif x == 10:
 print("x is equal to 10")
else:
 print("x is less than 10")
Explanation:
1. The if statement checks if x is greater than 10. If true, it executes the first
block of code.
2. The elif (else if) statement checks if x is equal to 10. If true, it executes the
second block of code.
3. The else statement is a catch-all that executes if none of the previous conditions
are true.
Logical Operators (and, or, not):
Logical operators allow you to combine conditional statements for more complex
conditions.
age = 25
is_student = True
if age > 18 and is_student:
 print("You are a student above 18 years old.")
Explanation:
1. The and operator checks if both age > 18 and is_student are True. If both
conditions are True, the block of code executes.
Loops (for and while) and Control Flow:
for Loop:
The for loop is used for iterating over a sequence.
for i in range(5):
 print(i)
Explanation:
1. The for loop iterates over the range from 0 to 4 (range(5)) and prints each value.
while Loop:
The while loop executes a block of code as long as the condition remains true.
num = 0
while num < 5:
 print(num)
 num += 1
Explanation:
1. The while loop continues to execute as long as num is less than 5, printing the
value of num and incrementing it until the condition becomes false.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Data Structures - Lists and Tuples
Understanding Lists and Tuples:
 ● Lists:
 ○ Ordered collection of elements.
 ○ Mutable (can be modified after creation).
 ○ Created using square brackets [].
 ● Tuples:
 ○ Ordered collection of elements.
 ○ Immutable (cannot be modified after creation).
 ○ Created using parentheses ().
Accessing Elements, List Operations, and Tuple Immutability:
Accessing Elements:
Both lists and tuples allow access to elements using indexing (starting from 0).
my_list = [1, 2, 3, 'a', 'b', 'c']
my_tuple = (1, 2, 3, 'a', 'b', 'c')
print(my_list[0]) # Output: 1
print(my_tuple[3]) # Output: 'a'
List Operations:
Lists support various operations like appending, removing, and concatenating.
my_list.append(4) # Add an element to the end of the list
my_list.remove('a') # Remove an element from the list
new_list = my_list + [5, 6] # Concatenate lists
Tuple Immutability:
Tuples, unlike lists, are immutable and cannot be changed after creation.
my_tuple[0] = 5 # This will raise an error since tuples are immutable
Slicing and Indexing:
Both lists and tuples support slicing and indexing to access specific elements or
sections.
print(my_list[1:4]) # Output: [2, 3, 'b']
print(my_tuple[:3]) # Output: (1, 2, 3)
Data Structures - Dictionaries and Sets
Introduction to Dictionaries and Sets:
Dictionaries:
 ● Introduction:
 ○ Unordered collection of key-value pairs.
 ○ Keys are unique and immutable.
 ○ Created using curly braces {} with key-value pairs separated by a colon
 “:”.
Sets:
 ● Introduction:
 ○ Unordered collection of unique elements.
 ○ Created using curly braces {}.
Manipulating Dictionaries and Sets:
Manipulating Dictionaries:
my_dict = {'name': 'Alice', 'age': 25, 'city': 'New York'}
# Accessing and updating values
print(my_dict['age']) # Output: 25
my_dict['age'] = 26 # Updating the value for 'age'
# Adding new key-value pairs
my_dict['country'] = 'USA'
# Removing an entry
del my_dict['city']
Manipulating Sets:
my_set = {1, 2, 3, 4, 5}
# Adding and removing elements
my_set.add(6)
my_set.remove(3)
# Set operations (union, intersection)
set_union = my_set | {7, 8} # Union of sets
set_intersection = my_set & {4, 5} # Intersection of sets
Common Operations and Methods:
Both dictionaries and sets have common operations and methods like adding, removing,
and performing set operations (union, intersection).
These data structures (lists, tuples, dictionaries, and sets) in Python provide
diverse ways to store and manipulate data, catering to different programming needs and
scenarios. Understanding their properties and operations is crucial for effective
programming.
Functions:
Defining Functions:
 ● Functions: Functions in Python are blocks of code that perform a specific task.
 They help in organizing code, enhancing reusability, and promoting modularity.
 ● Defining Functions: To define a function, use the def keyword followed by the
 function name and parentheses containing parameters (if any), followed by a
 colon :. The code block that follows is the function body.
def greet():
print("Hello!")
Explanation: Here, greet() is a function that, when called, prints "Hello!". Defining
functions allows you to encapsulate a piece of code that can be reused throughout your
program.
Parameters and Arguments:
 ● Parameters: Parameters are placeholders in a function definition that accept
 input values.
 ● Arguments: Actual values passed to a function when it's called.
def greet_with_name(name):
 print(f"Hello,
{name}!")
greet_with_name("Alice")
Explanation: In the greet_with_name() function, name is a parameter that accepts an
argument ("Alice" in this case). Functions can accept multiple parameters separated by
commas to perform specific operations on provided values. The print statement also
uses something called an F-strings are string literals that have an f before the
opening quotation mark. They can include Python expressions enclosed in curly braces.
Python will replace those expressions with their resulting values.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Return Statements and Function Scope:
 ● Return Statements: Return statements are used to return a value from a function
 back to the calling code.
 ● Function Scope: Variables defined inside a function have local scope and are
 not accessible outside the function.
def add(a, b):
 return a + b
result = add(3, 5) # Result will be
8
Explanation: The add() function accepts two arguments (a and b) and returns their sum.
The result variable holds the returned value. Functions allow you to encapsulate
logic, making code more readable and reusable. Variables declared inside a function
have local scope, meaning they are accessible only within that function.
File Handling:
Reading from and Writing to Files:
 ● File Handling: Involves operations related to files on the disk, such as
 reading from and writing to files.
 ● open() Function: Used to open files with different modes ('r' for reading, 'w'
 for writing, 'a' for appending, etc.). It's essential to handle files properly
 to avoid resource leaks and ensure data integrity.
# Reading from a text file
with open('example.txt', 'r') as file:
 content = file.read()
# Writing to a text file
with open('output.txt', 'w') as file:
 file.write("This is a sample text.")
Explanation: Files are opened using the open() function, which returns a file object.
The with statement is used to ensure proper file closure after use. Reading is done
using read() and writing using write() methods.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Handling Different File Formats (Text, CSV):
 ● Text Files: Reading and writing text content from files.
 ● CSV (Comma-Separated Values) Files: Handling CSV files using the csv module,
 which simplifies operations with comma-separated data.
import csv
# Reading from a CSV file
with open('data.csv', 'r') as csv_file:
 csv_reader = csv.reader(csv_file)
 for row in csv_reader:
 print(row)
# Writing to a CSV file
with open('output.csv', 'w', newline='') as
csv_file:
 csv_writer = csv.writer(csv_file)
 csv_writer.writerow(['Name', 'Age'])
 csv_writer.writerow(['Alice', 25])
Explanation: The csv module simplifies reading and writing operations for CSV files.
It provides a reader() and writer() function to handle CSV data seamlessly. CSV files
are often used to store tabular data in a structured format.
Error Handling and Exceptions:
 ● Error Handling: Python's try, except, finally, and raise statements are used
 for error handling and exception management.
 ● try and except: Used to catch and handle exceptions that might occur during
 execution.
try:
 # Code that may raise an exception
 result = 10 / 0
except ZeroDivisionError as e:
 print("Error:", e)
finally:
 print("This block always
executes.")
Explanation: The try block contains code that might raise an exception. If an
exception occurs, it's caught by the except block and handled accordingly. The finally
block executes regardless of whether an exception occurs, making it useful for cleanup
tasks.
Understanding functions and file handling in Python is crucial for organizing code,
handling external data sources, and managing errors effectively, contributing to more
maintainable and robust programs.
Introduction to Object-Oriented Programming (OOP):
Understanding OOP Concepts (Classes, Objects, Inheritance):
Classes:
1. Definition: Classes are blueprints or templates used to create objects.
2. Attributes: Define the properties or data that objects of a class will hold. These
can be variables holding various data types.
3. Methods: Functions defined within a class that define behavior or actions that
objects of the class can perform.
class Car:
 def __init__(self, brand, model):
 self.brand = brand
 self.model = model
 def drive(self):
 return f"{self.brand} {self.model} is being
driven."
Objects:
1. Instances of Classes: Objects are instances of classes. They are real-world
entities created based on the structure defined by a class.
2. Attributes: Each object has its own set of attributes defined by the class.
3. Methods: Objects can use the methods defined in their class.
car1 = Car("Toyota", "Corolla")
print(car1.brand) # Output: Toyota
print(car1.drive()) # Output: Toyota Corolla is being
driven.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Why Use Classes?
1. Abstraction: Classes provide a way to abstract real-world entities by modeling
their properties and behaviors in code.
2. Code Organization: They help in organizing code by encapsulating related attributes
and methods into a single unit.
3. Reusability: Classes enable code reusability; once a class is defined, it can be
used to create multiple objects of similar types.
Why Use Objects?
1. Real-world Representation: Objects allow us to represent real-world entities or
concepts in code, making the code more intuitive and reflective of the problem domain.
2. Modularity: Objects encapsulate data and functionality, promoting modularity and
better organization in large codebases.
3.Flexibility: Objects facilitate interactions and communication between different
parts of a program, enabling complex systems to be built in a manageable way.
Encapsulation, Inheritance, and Polymorphism:
 ● Encapsulation: The concept of bundling data (attributes) and methods that work
 on the data within a single unit (class).
 ● Inheritance: Enables a new class to inherit properties and methods from an
 existing class. It promotes code reusability and establishes a hierarchical
 relationship between classes.
 ● Polymorphism: Allows objects of different classes to be treated as objects of a
 common parent class.
# Inheritance example
class Labrador(Dog):
 def swim(self):
 print(f"{self.name} is swimming!")
labrador = Labrador("Charlie", 2)
labrador.swim() # Output: Charlie is swimming!
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Modules and Packages:
Working with Modules and Importing Functionalities:
 ● Modules: Python files containing code (functions, classes) that can be imported
 into other Python files.
 ● Importing Functionalities: Use the import statement to include code from
 modules.
# Example of importing functions from a
module
import math
print(math.sqrt(16)) # Output: 4.0
Creating and Using Packages:
 ● Packages: A way of organizing related modules into a directory hierarchy.
 ● Creating Packages: Packages are created by placing multiple modules within
 directories.
my_package/
 __init__.py
 module1.py
 module2.py
Exploring Standard Libraries:
 ● Standard Libraries: Collections of modules and packages that come pre-installed
 with Python, offering various functionalities for different tasks.
 ● Exploring Standard Libraries: Use built-in modules like os, datetime, random,
 etc., to perform tasks related to file handling, date/time manipulation, random
 number generation, etc.
# Example using the os module
import os
print(os.getcwd()) # Output: Current working directory
Understanding Object-Oriented Programming (OOP) concepts, modules, packages, and
standard libraries is crucial for developing organized, modular, and efficient Python
programs. These concepts offer powerful tools for creating reusable and maintainable
code.
 THE REST OF THIS PAGE HAS BEEN LEFT BLANK ON PURPOSE
Installing Modules with pip:
 ● pip: pip is the default package manager for Python, allowing easy installation
 of third-party libraries and modules.
 ● Usage: Open a terminal or command prompt and use the pip install command
 followed by the module name to install it.
Installing a Module:
pip install requests
Specifying Versions:
You can install a specific version of a module by adding == followed by the version
number:
pip install SomePackage==1.0
Requirements File:
 ● Requirements File (requirements.txt): Often used to specify all the required
 libraries and their versions for a project.
 ● Creating a requirements.txt file: List the required libraries, each on a new
 line, with optional version specifications.
requests==2.26.0
numpy==1.21.3
# Installing a requirements file
cd DIRECTORY OF THE FILE
pip install -r nameofrequirementsfile.txt
Virtual Environments:
 ● Virtual Environments: Useful for creating isolated Python environments for
 different projects.
 ● Creating a Virtual Environment:
# Creating a virtual environment
python -m venv myenv
# Activating the virtual environment (Windows)
myenv\Scripts\activate
# Activating the virtual environment (Unix or MacOS)
source myenv/bin/activate
Managing Environments with pip:
 ● pip freeze: Command used to generate a requirements.txt file with currently
 installed packages.
pip freeze > requirements.txt
Installing from Other Sources:
 ● Installing from Version Control Systems: Modules can also be installed directly
 from version control systems like GitHub.
pip install git+https://github.com/user/repo.git
Installing modules using pip grants access to a vast ecosystem of libraries and tools
in the Python community, enabling developers to extend Python's capabilities for
diverse tasks, such as data manipulation, web development, machine learning, and more.
 HIS IS THE END OF UNIVERSITY STAFF GUIDE | BASIC COMPUTER SCIENCE {T1}