Team College Buddy Presents
Python
Programming
  Guess Questions Solutions
     Notes By Harshit: 9801907094
                         BCA-502 : Python Programming
                  Model Question Paper 2025
1. Define Strings, Dictionaries, lists and tuples along with their functions.
2. Explain looping statements in python.
3. Explain functions and lambda functions.
4. Explain packages and modules.
5. List and explain different file handling functions.
6. How to perform Password, email, url validation using regular expression.
7. What is Exception handling in python.
8. How to connect SQL database in python? Perform basic operations.
9. What is Artificial Intelligence? Explain features and applications.
10. Differentiate between informed and uninformed search?
11. Differentiate between supervised and unsupervised learning?
12. Write short notes:
      a. Task planning
      b. Robot motion planning.
      c. Reinforcement Learning
      d. Min-max game playing.
                              By Harshit: 980 190 7094
                            Notes By Harshit: 9801907094
1. Define Strings, Dictionaries, lists and tuples along with their functions.
Strings: A string is a sequence of characters enclosed within single (' '), double (" "), or
triple quotes (''' ''' or """ """). Strings are immutable, meaning their content cannot be
changed after creation.
Functions of stings:
   Function             Description                             Example                        Output
   len(string)          Returns the length of the string.       len("Hello")                   5
   lower()              Converts all characters to lowercase.   "Hello".lower()                "hello"
   upper()              Converts all characters to uppercase.   "Hello".upper()                "HELLO"
   strip()              Removes leading/trailing whitespace.    " Hello ".strip()              "Hello"
   replace(old, new)    Replaces occurrences of a substring.    "Hello".replace("H", "J")      "Jello"
   split(separator)     Splits string into a list.              "Hello World".split(" ")       ['Hello', 'World']
   join(iterable)       Joins elements of an iterable.          "-".join(['Hello', 'World'])   "Hello-World"
   find(substring)      Finds the index of a substring.         "Hello".find("e")              1
   startswith(prefix)   Checks if the string starts with it.    "Hello".startswith("He")       True
   endswith(suffix)     Checks if the string ends with it.      "Hello".endswith("lo")         True
Examples of few functions:
                                         Notes By Harshit: 9801907094
Dictionaries:
A dictionary is an unordered collection of key-value pairs in Python, where each key is
unique. Dictionaries are defined using curly braces { } and allow fast access to values
using keys.
Functions:
 Function    Description                                 Example                Output
 get(key)    Returns the value for the specified key.    student.get("name")    'Alice'
 keys()      Returns all keys as a view object.          student.keys()         dict_keys(['name', 'age', 'grade'])
 values()    Returns all values as a view object.        student.values()       dict_values(['Alice', 20, 'A'])
 items()     Returns key-value pairs as tuples.          student.items()        dict_items([('name', 'Alice'), ...])
 pop(key)    Removes and returns the value of the key.   student.pop("grade") 'A' (Remaining: {'name': ...})
 popitem() Removes and returns the last key-value        student.popitem()      Last item as tuple.
           pair.
 clear()     Removes all elements from the dictionary.   student.clear()        {}
 len(dict)   Returns the number of items.                len(student)           3
Example
                                        Notes By Harshit: 9801907094
Lists:
A list is an ordered, mutable collection in Python that can store elements of any data
type. Lists are defined using square brackets [ ].
   Function           Description                                  Example                  Output
   append(element) Adds an element to the end of the list.         my_list.append(6)        [1, 2, 3, 4, 5, 6]
   remove(element) Removes the first occurrence of a value.        my_list.remove(3)        [1, 2, 4, 5]
   pop(index)         Removes and returns an element by index. my_list.pop(2)               3 (List: [1, 2, 4, 5])
   sort()             Sorts the list in ascending order.           my_list.sort()           [1, 2, 3, 4, 5]
   reverse()          Reverses the elements of the list.           my_list.reverse()        [5, 4, 3, 2, 1]
   extend(iterable)   Adds multiple elements to the list.          my_list.extend([6, 7]) [1, 2, 3, 4, 5, 6, 7]
   index(value)       Returns the index of the first occurrence.   my_list.index(4)         3
   count(value)       Counts occurrences of a value.               my_list.count(3)         1
   len(list)          Returns the length of the list.              len(my_list)             5
   clear()            Removes all elements from the list.          my_list.clear()          []
                                      Notes By Harshit: 9801907094
Tuples
A tuple is an immutable, ordered collection of elements in Python. Tuples are defined
using parentheses ( ). Once created, their elements cannot be modified.
Functions:
      Function       Description                                    Example                 Output
      len(tuple)     Returns the number of elements in the tuple.   len((1, 2, 3))          3
      index(value)   Returns the first index of the value.          (1, 2, 3).index(2)      1
      count(value)   Counts occurrences of the value.               (1, 2, 2, 3).count(2)   2
      min(tuple)     Returns the smallest element.                  min((1, 2, 3))          1
      max(tuple)     Returns the largest element.                   max((1, 2, 3))          3
      sum(tuple)     Returns the sum of elements (if numeric).      sum((1, 2, 3))          6
Example:
                                    Notes By Harshit: 9801907094
2. Explain looping statements in python.
Looping statements in Python are used to execute a block of code repeatedly as long
as a condition is true or for a specific number of iterations. Python provides two primary
looping statements: for loop and while loop.
1. for Loop: The for loop iterates over a sequence (like a list, tuple, dictionary, string, or
range) and executes the block of code for each element.
2. while Loop: The while loop continues to execute a block of code as long as the
specified condition is True.
Control Statements in Loops
break: Exits the loop prematurely when a condition is met.
continue: Skips the current iteration and moves to the next.
                                 Notes By Harshit: 9801907094
3. Explain functions and lambda functions.
Functions: A function is a reusable block of code designed to perform a specific task. It
can take input (parameters), process it, and return a result.
Types of Functions:
      Built-in functions: Functions like print(), len(), type().
      User-defined functions: Custom functions defined by users.
      Recursive functions: Functions that call themselves to solve problems.
Advantages:
      Code reusability.
      Improved readability.
      Easier to debug and maintain.
Lambda Functions: A lambda function is a small, anonymous function that can have
any number of arguments but only one expression. It is often used for short, simple
operations.
Key Characteristics:
      No need for a def keyword or a name.
      Can be used as a quick, one-liner function.
      Often used with functions like map(), filter(), and reduce().
                                Notes By Harshit: 9801907094
4. Explain packages and modules.
Modules: A module is a single Python file containing definitions (functions, classes,
variables) and statements. It allows you to organize code logically and reuse it in
multiple programs.
Creating a Module: Save a Python file with a .py extension, e.g., mymodule.py.
Using a Module: Import the module into your program using the import statement.
Types of Modules:
      Built-in modules: Pre-installed, e.g., math, os, sys.
      User-defined modules: Created by users for specific purposes.
Packages A package is a collection of modules organized in a directory with a special
__init__.py file. This file makes the directory a package and can optionally include
initialization code.
Structure of a Package:
       mypackage/
       ├── __init__.py
       ├── module1.py
       ├── module2.py
Using a Package: Import modules from a package using dot notation.
                                 Notes By Harshit: 9801907094
Advantages:
     Enables better organization of large projects.
     Prevents naming conflicts by using namespaces.
     Differences Between Packages and Modules
Example:
Creating a Module and Package
Module (module1.py):
Package (mypackage):
Using the Package:
                              Notes By Harshit: 9801907094
5. Explain File Handling. List and explain different file handling functions.
File handling in Python refers to the process of working with files in a program. Python
provides built-in functions to read from and write to files, manage file contents, and
perform various operations on files, such as creating, opening, closing, and modifying
them.
File Operations: Common file operations include:
       Opening a file: Before performing any action on a file, it must be opened.
       Reading from a file: Extracting content from a file.
       Writing to a file: Adding or modifying content in a file.
       Closing a file: Closing the file once operations are completed.
       File deletion/renaming: Removing or renaming files.
1: open(): The open() function is used to open a file in a specified mode (read, write,
append, etc.).
Syntax:
       filename: Name of the file to open.
       mode: Mode in which to open the file (e.g., 'r' for reading, 'w' for writing, 'a' for
        appending).
2: read(): The read() function is used to read the content of the file. It reads the entire
file or a specific number of bytes.
Syntax:
       size: The number of bytes to read. If not specified, it reads the entire file.
                                  Notes By Harshit: 9801907094
3: write(): The write() function is used to write data to the file. If the file is opened in
write or append mode, this function writes content to the file.
Syntax:
       string: The string that will be written to the file.
4: close(): The close() function is used to close the file after performing the required
operations, ensuring resources are released.
5: readline() The readline() function is used to read one line at a time from the file. It’s
useful when working with large files that you want to read line by line.
Syntax:
File Functions
       Function     Description                                       Example
       open()       Opens a file in a specified mode                  file = open('example.txt', 'r')
       read()       Reads the content of the file                     content = file.read()
       write()      Writes data to the file                           file.write("Hello!")
       close()      Closes the file after operations are completed    file.close()
       readline()   Reads one line at a time from the file            line = file.readline()
                                       Notes By Harshit: 9801907094
6. How to perform Password, email, url validation using regular expression.
In Python, the re module is used to work with regular expressions (regex). You can use
regex patterns to validate various inputs, such as passwords, email addresses, and
URLs. Below are examples of how to validate passwords, emails, and URLs using regular
expressions:
Password Validation: Minimum 8 characters, at least one uppercase, one lowercase,
one digit, and one special character.
Email Validation: Criteria: Must follow a standard email format (e.g.,
user@example.com).
URL Validation: Criteria: Must be a valid URL (e.g., http://example.com).
                              Notes By Harshit: 9801907094
7. What is Exception handling in python.
Exception handling in Python is a mechanism to handle runtime errors, ensuring that
the program continues to execute even when an error occurs. By using try, except, and
other keywords, you can catch and handle exceptions in a clean and controlled way.
Basic Syntax of Exception Handling:
Key Components:
     try block: The code that may raise an exception is placed inside the try block.
     except block: The except block contains the code that should execute if an
      exception occurs. You can catch specific exceptions (e.g., ZeroDivisionError,
      FileNotFoundError) or use a general Exception to catch any error.
     else block (Optional): If no exception occurs in the try block, the else block runs.
     finally block (Optional): The finally block will always execute, regardless of
      whether an exception occurs. It is often used for cleanup tasks (e.g., closing files,
      releasing resources).
Example:
                               Notes By Harshit: 9801907094
Common Exception Types:
     ZeroDivisionError: Raised when a division or modulo operation is performed with
      zero as the divisor.
     FileNotFoundError: Raised when trying to open a file that does not exist.
     ValueError: Raised when a function receives an argument of the correct type but
      inappropriate value.
     TypeError: Raised when an operation or function is applied to an object of
      inappropriate type.
     IndexError: Raised when a sequence subscript (index) is out of range.
Handling Multiple Exceptions:
You can handle multiple exceptions by using multiple except blocks:
                              Notes By Harshit: 9801907094
8. How to connect SQL database in python? Perform basic operations.
To connect to an SQL database (such as MySQL, SQLite, or PostgreSQL) in Python, you
can use the respective database connector library. Here, I'll cover connecting to an
SQLite database (a lightweight database that doesn't require a separate server) and
MySQL.
Connecting to SQLite Database: SQLite is a built-in database engine in Python, so you
don't need to install anything extra.
Steps:
    Use the sqlite3 module to connect to the database.
    Perform operations like creating tables, inserting data, and fetching data.
                             Notes By Harshit: 9801907094
Basic Operations in SQL Database:
Operation     SQL Command                        Python Code Example
Create Table CREATE TABLE table_name (columns)   cursor.execute('CREATE TABLE users (id INTEGER
                                                 PRIMARY KEY, name TEXT)')
Insert Data   INSERT INTO table_name (columns)   cursor.execute('INSERT INTO users (name, email)
              VALUES (values)                    VALUES (?, ?)', ('Alice', 'alice@example.com'))
Select Data   SELECT * FROM table_name           cursor.execute('SELECT * FROM users'); rows =
                                                 cursor.fetchall()
Update Data UPDATE table_name SET column =       cursor.execute('UPDATE users SET name = "Bob" WHERE
            value WHERE condition                id = 1')
Delete Data   DELETE FROM table_name WHERE       cursor.execute('DELETE FROM users WHERE id = 1')
              condition
                                   Notes By Harshit: 9801907094
9. What is Artificial Intelligence? Explain features and applications.
Artificial Intelligence (AI) refers to the simulation of human intelligence in machines
that are programmed to think, learn, and perform tasks that typically require human
intelligence. AI involves creating algorithms and models that enable machines to
process data, recognize patterns, make decisions, and adapt to new situations without
direct human intervention.
Features of Artificial Intelligence
      Learning: AI systems can learn from data. Through techniques like machine
       learning, AI can identify patterns and make decisions based on past experiences.
      Reasoning: AI can reason logically to solve problems. It can draw conclusions
       based on given facts and use deductive or inductive reasoning to make
       decisions.
      Problem Solving: AI systems can solve complex problems by breaking them
       down into manageable parts and using algorithms to find the best solution.
      Perception: AI systems can perceive their environment through sensors (e.g.,
       cameras, microphones) and process the sensory data to interpret the world. This
       is often used in computer vision and speech recognition.
      Natural Language Processing (NLP): AI systems can understand, interpret, and
       generate human language. NLP enables machines to engage in conversations,
       translate languages, and understand the meaning behind text.
      Autonomy: AI systems can perform tasks independently with minimal human
       intervention, such as self-driving cars or autonomous robots.
      Adaptability: AI can adapt to new situations and improve its performance over
       time through learning algorithms, making it more effective as it is exposed to
       more data.
Applications of Artificial Intelligence
      Summary of AI Applications:
      Healthcare: Diagnosis, personalized treatment, drug discovery.
      Automotive: Self-driving cars, driver assistance.
      Finance: Fraud detection, algorithmic trading.
      Entertainment: Recommendations, game AI.
      Manufacturing: Predictive maintenance, automation.
      Education: Adaptive learning, grading.
      Security: Surveillance, cybersecurity.
      Customer Service: Chatbots, sentiment analysis.
      NLP: Speech recognition, language translation.
                                Notes By Harshit: 9801907094
10. Differentiate between informed and uninformed search.
  Aspect       Informed Search                          Uninformed Search
  Definition   Uses additional information              Does not use extra information;
               (heuristics) to guide the search         explores the search space blindly.
               towards the goal.
  Knowledge    Requires domain knowledge                No knowledge of the problem's
               (heuristic function) to evaluate states. structure; explores all possible states
                                                        equally.
  Efficiency   More efficient as it narrows down the    Less efficient as it explores the entire
               search space using heuristics.           search space without guidance.
  Examples     A* search, Greedy search, Best-First     Breadth-First Search (BFS), Depth-
               search.                                  First Search (DFS).
  Search       Guided by a heuristic function to        Explores nodes in a systematic
  Strategy     prioritize nodes.                        manner without any priority.
  Optimality   Can find the optimal solution if the     May not find the optimal solution
               heuristic is admissible (A*).            depending on the search strategy.
  Time       Depends on the heuristic but               Can be slower as it explores all
  Complexity generally faster.                          possibilities.
  Space      May require more memory for storing        Typically has lower space complexity
  Complexity nodes with heuristic values.               compared to informed search.
                                Notes By Harshit: 9801907094
11. Differentiate between supervised and unsupervised learning.
1. Supervised learning
Supervised learning is a type of machine learning where the model is trained on
labeled data. In this approach, the algorithm learns from the input-output pairs, where
the input data is associated with the correct output (label). The model tries to predict
the output based on the input during training and is evaluated on its ability to correctly
predict the output for unseen data.
Characteristics:
      Labeled data: The training dataset consists of input-output pairs where the
       correct answer is provided.
      Goal: The aim is to learn a mapping function that can predict the output for new,
       unseen data.
      Model feedback: The model is trained by adjusting its parameters based on the
       error between predicted and actual values.
Examples of Supervised Learning Algorithms:
      Linear Regression: Used for predicting continuous values (e.g., predicting house
       prices).
      Logistic Regression: Used for binary classification (e.g., spam vs. non-spam
       email).
      Decision Trees: Used for both classification and regression.
      Support Vector Machines (SVM): Used for classification and regression tasks.
      Neural Networks: Can be used for complex classification and regression
       problems.
Applications:
      Email spam detection (classifying emails as spam or not).
      Image classification (e.g., classifying photos into categories like "dog" or "cat").
      Fraud detection (predicting whether a transaction is fraudulent).
                                Notes By Harshit: 9801907094
2. Unsupervised Learning
Unsupervised learning is a type of machine learning where the model is trained on
unlabeled data. In this case, the algorithm tries to learn patterns, relationships, or
structure in the data without any explicit output labels. The goal is to find hidden
patterns or groupings in the data.
Characteristics:
        Unlabeled data: The training dataset consists only of input data with no
         corresponding output labels.
        Goal: The objective is to explore the data and find underlying patterns, clusters, or
         relationships.
        No direct feedback: Since there is no correct output to compare against, the
         model uses techniques like clustering, dimensionality reduction, or association
         rules to uncover hidden structures.
Examples of Unsupervised Learning Algorithms:
        K-Means Clustering: Used to group similar data points into clusters.
        Hierarchical Clustering: Builds a tree-like structure (dendrogram) to represent
         data clusters.
        Principal Component Analysis (PCA): Used for dimensionality reduction.
        Association Rule Learning: Finds associations between different variables in large
         datasets (e.g., market basket analysis).
Applications:
        Customer segmentation (grouping customers based on purchasing behavior).
        Anomaly detection (identifying unusual behavior, such as fraud).
        Image compression (reducing the number of variables in images while
         preserving important features).
       Aspect         Supervised Learning                       Unsupervised Learning
       Data           Labeled data (input-output pairs).        Unlabeled data (only inputs).
       Goal           Learn a mapping function to predict       Discover hidden patterns or structures in
                      outputs for new data.                     the data.
       Feedback       Model is trained using feedback from      No direct feedback or labels; the model tries
                      correct labels.                           to find patterns.
       Algorithm      Linear Regression, Logistic Regression,   K-Means, PCA, Hierarchical Clustering,
       Examples       SVM, Neural Networks                      Association Rules
       Output         Predictive output (classification or      Grouping or pattern discovery (clustering,
                      regression).                              dimensionality reduction).
       Applications   Spam detection, image recognition,        Customer segmentation, anomaly
                      fraud detection.                          detection, data compression.
                                       Notes By Harshit: 9801907094
12. Write short notes:
       Task planning
       Robot motion planning.
       Reinforcement Learning
       Min-max game playing.
1. Task Planning
Task planning in artificial intelligence involves creating a sequence of actions that a
system or robot must follow to achieve a specific goal. The system is tasked with
deciding which actions to perform and in what order to accomplish the desired
outcome, given certain constraints and resources.
Key Concepts:
      Goal State: The desired outcome that needs to be achieved.
      Actions: The individual operations or steps that bring the system closer to the
       goal.
      Constraints: Limitations or conditions that must be met during the task execution.
      Plan Execution: After generating a plan, it is executed step by step.
Applications:
      Automated scheduling.
      Task execution in robotics and virtual assistants.
      Workflow automation in software systems.
2. Robot Motion Planning
Robot motion planning is the process of determining the path that a robot must follow
to move from a start position to a goal position while avoiding obstacles and
minimizing certain costs (e.g., time, energy). It involves computing a feasible trajectory
in the robot's environment.
Key Concepts:
      Configuration Space (C-space): Represents all possible positions and
       orientations of the robot.
      Pathfinding Algorithms: Algorithms like A* or Dijkstra are used to find the shortest
       or optimal path.
      Obstacle Avoidance: Ensuring that the path does not collide with any obstacles.
      Trajectory Planning: Determining not just the path but also the speed and timing
       of movements.
Applications:
      Autonomous vehicles.
      Industrial robots in manufacturing.
      Drones navigating through complex environments.
                                Notes By Harshit: 9801907094
3. Reinforcement Learning
Reinforcement learning (RL) is a type of machine learning where an agent learns to
make decisions by interacting with an environment. The agent receives feedback in the
form of rewards or punishments based on its actions and tries to maximize the
cumulative reward over time.
Key Concepts:
     Agent: The entity that performs actions.
     Environment: The external system with which the agent interacts.
     State: A snapshot of the environment at a given time.
     Action: The choices the agent can make.
     Reward: A feedback signal indicating the quality of the agent’s action.
     Policy: A strategy or mapping from states to actions.
     Value Function: A measure of the long-term reward expected from each state.
Applications:
     Game playing (e.g., AlphaGo, Chess).
     Robotics (e.g., learning to walk or manipulate objects).
     Autonomous vehicles (e.g., path planning).
4. Min-Max Game Playing
The Min-Max algorithm is used in game theory for decision-making in two-player
games with zero-sum payoffs, such as chess or tic-tac-toe. The algorithm explores all
possible moves to determine the optimal move for the player by minimizing the
possible loss (min) and maximizing the gain (max).
Key Concepts:
     Maximizing Player: The player trying to maximize their score.
     Minimizing Player: The opponent trying to minimize the maximizing player's score.
     Game Tree: A tree representing all possible moves and outcomes of the game.
     Minimax Strategy: The maximizing player chooses the move that maximizes the
      minimum payoff, while the minimizing player chooses the move that minimizes
      the maximum payoff.
Applications:
     Chess and other strategy games.
     Decision-making in competitive environments with two players.
     AI-based game engines (e.g., for tic-tac-toe, checkers).
                               Notes By Harshit: 9801907094
Thanks for Reading
    Team Harshit
    Notes By Harshit: 9801907094