Skip to content
geeksforgeeks
  • Tutorials
    • Python
    • Java
    • Data Structures & Algorithms
    • ML & Data Science
    • Interview Corner
    • Programming Languages
    • Web Development
    • CS Subjects
    • DevOps And Linux
    • School Learning
    • Practice Coding Problems
  • Courses
    • DSA to Development
    • Get IBM Certification
    • Newly Launched!
      • Master Django Framework
      • Become AWS Certified
    • For Working Professionals
      • Interview 101: DSA & System Design
      • Data Science Training Program
      • JAVA Backend Development (Live)
      • DevOps Engineering (LIVE)
      • Data Structures & Algorithms in Python
    • For Students
      • Placement Preparation Course
      • Data Science (Live)
      • Data Structure & Algorithm-Self Paced (C++/JAVA)
      • Master Competitive Programming (Live)
      • Full Stack Development with React & Node JS (Live)
    • Full Stack Development
    • Data Science Program
    • All Courses
  • Databases
  • SQL
  • MySQL
  • PostgreSQL
  • PL/SQL
  • MongoDB
  • SQL Cheat Sheet
  • SQL Interview Questions
  • MySQL Interview Questions
  • PL/SQL Interview Questions
  • Learn SQL and Database
Open In App
Next Article:
Commonly asked DBMS Interview Questions | Set 2
Next article icon

Top 60 DBMS Interview Questions with Answers for 2025

Last Updated : 28 Apr, 2025
Comments
Improve
Suggest changes
Like Article
Like
Report

A Database Management System (DBMS) is the backbone of modern data storage and management. Understanding DBMS concepts is critical for anyone looking to work with databases. Whether you're preparing for your first job in database management or advancing in your career, being well-prepared for a DBMS interview can make all the difference.

In this article, we've covered a list of DBMS interview questions that cover everything from basic to advanced topics. These questions will help us build a solid understanding of DBMS concepts, from how databases are structured to complex query optimization. Start your preparation today to secure your dream role in database management!

Basic DBMS Interview Questions

DBMS Basic Interview Questions are designed to test your foundational understanding of database management systems. These questions focus on key concepts such as the differences between relational and non-relational databases, basic DBMS operations, data types, and database structure. A strong grasp of these basics will help you confidently approach more advanced topics.

1. What is a Database Management System (DBMS)?

A Database Management System (DBMS) is software that is used to manage and organize databases. It provides an interface to interact with the data stored in a database. The DBMS is responsible for tasks such as storing, retrieving, and updating data, ensuring data integrity, security, and managing concurrency. Examples include MySQL, PostgreSQL, Oracle, and SQL Server.

2. What are the advantages of using a DBMS?

The advantages of using a DBMS are:

  • Data Integrity: Ensures that the data is accurate and consistent.
  • Data Security: Provides controlled access to sensitive data by setting permissions for different users.
  • Efficient Data Retrieval: Optimizes queries and indexing, allowing faster data retrieval.
  • Reduced Redundancy: Avoids duplicate data by enforcing normalization.
  • Backup and Recovery: Offers automatic backup and recovery mechanisms.
  • Concurrent Access: Allows multiple users to access the database at the same time without conflicts.

3. What is the difference between DBMS and RDBMS?

  • DBMS (Database Management System): A system that allows users to create, store, modify, and delete data. It does not require a relational structure for data organization. Examples: Microsoft Access, XML databases.
  • RDBMS (Relational Database Management System): A subset of DBMS that stores data in a structured format, using tables (relations), and supports relational operations like joins. It enforces data integrity through keys and supports SQL for querying. Examples: MySQL, Oracle, SQL Server.

4. What are the different types of DBMS?

The four types of DBMS are:

  • Hierarchical DBMS: Data is organized in a tree-like structure with parent-child relationships. Example: IBM’s IMS.
  • Network DBMS: Data is represented as a graph with many-to-many relationships. Example: Integrated Data Store (IDS).
  • Relational DBMS (RDBMS): Data is organized in tables (relations) and managed through SQL. Example: MySQL, PostgreSQL.
  • Object-Oriented DBMS: Data is stored as objects, like in object-oriented programming. Example: ObjectDB.

5. What is a relation in DBMS?

A relation in DBMS is a table that consists of rows and columns. Each row represents a record, and each column represents an attribute or property of the entity being described. Relations are defined by a schema, which specifies the attributes (columns) of the table.

6. What is a table in DBMS?

A table in DBMS is a collection of data organized in rows and columns. It is the primary structure for storing data in a relational database. Each row represents an entity (record), and each column represents an attribute of that entity.

7. What are rows and columns in a DBMS?

  • Rows (Tuples): A row represents a single record or entity. Each row contains values for each attribute (column).
  • Columns (Attributes): A column represents a property or characteristic of the entity. Each column has a data type, such as integer, string, etc

8. What are the primary components of a DBMS?

The primary components of a DBMS are:

  • Database Engine: Responsible for storing, retrieving, and managing data.
  • Database Schema: The structure that defines the organization of the database.
  • Query Processor: Interprets and executes SQL queries.
  • Transaction Manager: Ensures the ACID properties of transactions.
  • Storage Manager: Manages the physical storage of data.

9. What is a primary key? Explain with an example.

A Primary Key is a unique identifier for each record in a table. It ensures that no two records have the same value for the primary key field. It cannot contain NULL values. Example: In a STUDENT table, ROLL_NO could be the primary key because each student has a unique roll number.

ROLL_NONAMEADDRESS
1RamDelhi
2SureshDelhi

10. What is a foreign key? Explain with an example.

A Foreign Key is an attribute in a table that links to the primary key in another table. It creates a relationship between two tables, ensuring referential integrity. Example: In a STUDENT table, the BRANCH_CODE could be a foreign key referencing the primary key BRANCH_CODE in the BRANCH table.

Student Table

ROLL_NONAMEBRANCH_CODE
1RamCS
2SureshIT

BRANCH Table

BRANCH_CODEBRANCH_NAME
CSComputer Science
ITInformation Technology

Here, BRANCH_CODE in STUDENT is a foreign key referencing BRANCH_CODE in BRANCH.

11. What is normalization? Why is it important in DBMS?

Normalization is the process of organizing data in a way that reduces redundancy and dependency. It involves dividing large tables into smaller ones and defining relationships between them to ensure data integrity.

Importance:

  • Eliminates redundant data.
  • Prevents anomalies during data operations (insertion, update, deletion).
  • Improves data integrity and consistency.

12. What is denormalization? How does it differ from normalization?

Denormalization is the process of combining tables to improve query performance, often by introducing redundancy. While normalization minimizes redundancy, denormalization sacrifices some of it to improve speed for read-heavy operations.

Difference:

  • Normalization: Focuses on minimizing redundancy and improving data integrity.
  • Denormalization: Adds redundancy for performance optimization in some cases.

13. What is a candidate key in DBMS?

A Candidate Key is a set of one or more attributes that can uniquely identify a tuple in a relation. A relation can have multiple candidate keys, and one of them is chosen as the primary key.

14. What is the use of the SQL SELECT statement?

The SELECT statement is used to query data from one or more tables. It allows you to retrieve specific columns or all columns, optionally applying filters (WHERE), sorting (ORDER BY), and joining multiple tables.

Example:

SELECT NAME, AGE FROM STUDENT WHERE AGE > 18;

15. What is a view in DBMS? How does it differ from a table?

A View is a virtual table created by querying one or more base tables. It does not store data physically but dynamically retrieves it when queried. Unlike a table, a view does not store its own data but presents data from other tables.

16. What are the different types of relationships in DBMS?

The three main types of relationships in DBMS are:

  • One-to-One (1:1): A record in one table is associated with a single record in another table.
  • One-to-Many (1:M): A record in one table is associated with multiple records in another table.
  • Many-to-Many (M:M): Multiple records in one table are associated with multiple records in another table.

17. Explain the concept of a schema in DBMS.

A schema in DBMS is the structure that defines the organization of data in a database. It includes tables, views, relationships, and other elements. A schema defines the tables and their columns, along with the constraints, keys, and relationships.

18. What are constraints in DBMS?

Constraints in DBMS are rules that limit the type of data that can be inserted into a table to ensure data integrity and consistency. Common types of constraints include: NOT NULL, PRIMARY KEY, FOREIGN KEY, UNIQUE, CHECK, DEFAULT.

19. What is the difference between DELETE and TRUNCATE in SQL?

  • DELETE: Deletes specific rows from a table based on a condition. It logs each row deletion and can be rolled back.
  • TRUNCATE: Removes all rows from a table without logging individual row deletions. It cannot be rolled back and is faster than DELETE.

20. What is an index in DBMS and how is it used?

An index is a data structure that improves the speed of data retrieval operations on a database table. It works like a table of contents in a book, allowing the database to quickly find the location of a record based on a column value.

21. What is the role of the Database Administrator (DBA)?

A Database Administrator (DBA) is responsible for managing and overseeing the entire database environment. Their key responsibilities include:

  • Database Design: Structuring the database for optimal storage and performance.
  • Backup and Recovery: Ensuring regular backups and providing recovery solutions in case of failures.
  • Performance Tuning: Monitoring and optimizing the database's performance.
  • Security Management: Managing user access, privileges, and enforcing security policies.
  • Data Integrity: Ensuring data consistency and integrity through constraints and checks.
  • Upgrades and Patches: Keeping the database software up-to-date with patches and upgrades.
  • Troubleshooting: Identifying and resolving database-related issues.

22. What is an entity-relationship diagram (ERD)?

An Entity-Relationship Diagram (ERD) is a visual representation of the entities within a system and the relationships between those entities. It is used in database design to model the structure of data and how different pieces of data relate to each other.

  • Entities: Objects or things within the system (e.g., Student, Course).
  • Attributes: Properties or details about an entity (e.g., Student Name, Course Duration).
  • Relationships: How entities interact with each other (e.g., Student enrolls in Course).

Example of ERD:

  • A Student entity might have attributes like ID, Name, and Age.
  • A Course entity might have attributes like CourseID, CourseName.
  • A relationship Enrolls connects Student and Course with attributes like EnrollmentDate.

23. What is a join in SQL? Name and explain different types of joins.

A JOIN in SQL is an operation that combines columns from two or more tables based on a related column between them. Joins are used to query data from multiple tables in a relational database.

Here are the different types of joins in SQL:

1. INNER JOIN: Returns only the rows where there is a match in both tables.

Example:

SELECT * FROM Student
INNER JOIN Course ON Student.ID = Course.StudentID;

2. LEFT JOIN (or LEFT OUTER JOIN): Returns all rows from the left table and the matching rows from the right table. If there is no match, NULL values will be returned for columns from the right table.

Example:

SELECT * FROM Student
LEFT JOIN Course ON Student.ID = Course.StudentID;

3. RIGHT JOIN (or RIGHT OUTER JOIN): Returns all rows from the right table and the matching rows from the left table. If there is no match, NULL values will be returned for columns from the left table.

Example:

SELECT * FROM Student
RIGHT JOIN Course ON Student.ID = Course.StudentID;

4. FULL JOIN (or FULL OUTER JOIN): Returns all rows when there is a match in either the left or the right table. If there is no match, NULL values will be returned for the columns of the table without a match.

Example:

SELECT * FROM Student
FULL JOIN Course ON Student.ID = Course.StudentID;

5. CROSS JOIN: Returns the Cartesian product of two tables, i.e., every combination of rows from both tables.

Example:

SELECT * FROM Student
CROSS JOIN Course;

6. SELF JOIN: A SELF JOIN is a join where a table is joined with itself. It is used when we need to compare rows within the same table. To differentiate the two instances of the same table, aliases are used.

Example:

SELECT E1.Employee_ID, E1.Employee_Name, E2.Employee_Name AS Manager_Name
FROM Employee E1
LEFT JOIN Employee E2 ON E1.Manager_ID = E2.Employee_ID;

24. What is a subquery in SQL? Provide an example.

A subquery in SQL is a query embedded within another query. It is used to retrieve data that will be used in the outer query. Subqueries can be used in SELECT, INSERT, UPDATE, or DELETE statements.

There are two types of subqueries:

  • Single-row subquery: Returns a single value.
  • Multiple-row subquery: Returns multiple values.

Example of a subquery: To find the names of students who have a higher age than the average age:

SELECT Name FROM Student
WHERE Age > (SELECT AVG(Age) FROM Student);

25. What are aggregate functions in SQL? Name a few examples.

Aggregate functions in SQL are functions that operate on a set of values (or a group of rows) and return a single result. They are often used in conjunction with the GROUP BY clause. Here are a few commonly used aggregate functions in SQL:

1. COUNT(): Returns the number of rows or non-NULL values in a column

Example:

SELECT COUNT(*) FROM Student;

2. SUM(): Returns the sum of values in a numeric column.

Example:

SELECT SUM(Amount) FROM Orders;

3. AVG(): Returns the average value of a numeric column.

Example:

SELECT AVG(Salary) FROM Employees;

4. MAX(): Returns the maximum value in a column

Example:

SELECT MAX(Age) FROM Student;

5. MIN(): Returns the minimum value in a column.

Example:

SELECT MIN(Salary) FROM Employees;

Intermediate DBMS Interview Questions

DBMS Intermediate Interview Questions dive deeper into more complex DBMS concepts and practical applications. These questions assess your ability to handle real-world database problems involving transactions, concurrency control, and schema design. Topics such as joins, indexing, normalization, and transaction management are often discussed at this level.

26. What is a transaction in DBMS? What are the properties of a transaction?

A transaction in DBMS is a sequence of one or more SQL operations executed as a single unit of work. A transaction ensures data integrity, consistency, and isolation, and it guarantees that the database reaches a valid state, regardless of errors or system failures.

Properties of a transaction (ACID Properties):

  • Atomicity: All operations within the transaction are completed successfully, or none are applied (i.e., the transaction is atomic).
  • Consistency: The transaction brings the database from one valid state to another valid state.
  • Isolation: The operations of one transaction are isolated from others; intermediate results are not visible to other transactions.
  • Durability: Once a transaction is committed, its effects are permanent, even in the event of a system crash.

27. What is the ACID property in DBMS?

ACID stands for Atomicity, Consistency, Isolation, and Durability, which are the key properties that guarantee reliable transaction processing:

  • Atomicity: All operations in a transaction are treated as a single unit. If one operation fails, the entire transaction fails and the database state remains unchanged.
  • Consistency: Ensures the database starts and ends in a consistent state, with all rules and constraints enforced.
  • Isolation: Transactions are executed independently, and the intermediate states of a transaction are invisible to other transactions.
  • Durability: Once a transaction is committed, its changes are permanent, even if a system failure occurs.

28. Explain the concept of a stored procedure in DBMS.

A stored procedure is a precompiled collection of one or more SQL statements stored in the database. Stored procedures allow users to execute a series of operations as a single unit, improving performance and reusability. They can accept input parameters, perform operations, and return results.

Example:

CREATE PROCEDURE GetStudentDetails(IN student_id INT)
BEGIN
SELECT * FROM Student WHERE ID = student_id;
END;

29. What are triggers in DBMS? Provide an example.

A trigger is a special kind of stored procedure that automatically executes (or "fires") in response to certain events on a table, such as insertions, updates, or deletions. Triggers are used to enforce business rules, maintain consistency, or log changes.

Example:

CREATE TRIGGER after_student_insert
AFTER INSERT ON Student
FOR EACH ROW
BEGIN
INSERT INTO AuditLog (Action, StudentID, ActionTime)
VALUES ('INSERT', NEW.ID, NOW());
END;

30. What is the difference between UNION and UNION ALL in SQL?

  • UNION: Combines the result of two queries and removes duplicate rows.
  • UNION ALL: Combines the result of two queries but does not remove duplicates, thus it is faster than UNION.

Example:

SELECT Name FROM Students
UNION
SELECT Name FROM Teachers; -- Removes duplicates

SELECT Name FROM Students
UNION ALL
SELECT Name FROM Teachers; -- Does not remove duplicates

31. Explain the concept of indexing in DBMS.

Indexing is a technique used to speed up the retrieval of records from a table by creating a data structure that allows for faster searching. An index provides a quick lookup of data based on the values of one or more columns.

  • Types of Indexes:
    • Single-column index: Created on one column.
    • Composite index: Created on multiple columns.
    • Unique index: Ensures that no two rows have the same values in the indexed columns.

32. What is a normalization form? Explain different normalization forms.

Normalization is the process of organizing a database to minimize redundancy and dependency by splitting large tables into smaller, related ones. There are several normal forms (NF):

  • 1NF (First Normal Form): Ensures that each column contains atomic (indivisible) values, and each record is unique.
  • 2NF (Second Normal Form): Ensures that the table is in 1NF, and all non-key attributes are fully functionally dependent on the primary key.
  • 3NF (Third Normal Form): Ensures that the table is in 2NF, and no transitive dependencies exist between non-key attributes.
  • BCNF (Boyce-Codd Normal Form): A stricter version of 3NF, which ensures that every determinant is a candidate key.

33. What is the difference between INNER JOIN and OUTER JOIN?

AspectINNER JOINOUTER JOIN
Result SetReturns only matching rows from both tables.Returns all rows from one or both tables, with NULL where no match is found.
TypesSingle type.Three types: LEFT, RIGHT, FULL.
Use CaseWhen you need only the intersecting data.When you need to preserve all data, even with mismatches.
PerformanceGenerally faster as it deals with fewer rows.Can be slower due to handling more rows and NULL values.
ReliabilityReliable for matching data across tables.Reliable when you need to retain all data, but can introduce NULL-related issues.

34. What is data redundancy in a database? How can it be reduced?

Data redundancy refers to the unnecessary repetition of data in a database. It can lead to inconsistencies, increased storage requirements, and maintenance challenges.

Reduction methods:

  • Normalization: Splitting large tables into smaller ones to eliminate redundancy.
  • Eliminating duplicate data: Using constraints like UNIQUE and PRIMARY KEY to enforce data consistency.

35. What is a deadlock in DBMS? How can it be prevented?

A deadlock occurs when two or more transactions are blocked because each transaction is waiting for the other to release resources. This results in a situation where none of the transactions can proceed.

Prevention techniques:

  • Lock ordering: Ensuring that all transactions acquire locks in the same predefined order.
  • Timeouts: Automatically rolling back transactions that have been waiting too long for resources.
  • Deadlock detection: Periodically checking for deadlocks and aborting one of the transactions to break the cycle.

36. What is a database cursor? How is it used?

A cursor in DBMS is a pointer to a result set of a query. It allows for row-by-row processing of query results, which is useful when dealing with large datasets.

Types of cursors:

  • Implicit cursors: Automatically created by the DBMS for SELECT, INSERT, UPDATE, DELETE operations.
  • Explicit cursors: Manually created by the programmer to process query results.

Example:

DECLARE cursor_example CURSOR FOR
SELECT * FROM Employee;

37. What are the different types of database locks?

There are several types of locks in DBMS to ensure data consistency when multiple transactions are involved:

  • Shared Lock (S Lock): Allows multiple transactions to read a resource but prevents modification.
  • Exclusive Lock (X Lock): Prevents any other transaction from reading or modifying the locked resource.
  • Intent Lock: Signals that a transaction intends to lock a resource.
  • Update Lock (U Lock): Used when a transaction intends to update a resource.

38. What is the difference between a clustered and non-clustered index?

  • Clustered Index: Organizes the data in the table according to the index. There can only be one clustered index per table because the data rows can only be sorted one way.
  • Non-clustered Index: Creates a separate structure from the table that holds pointers to the actual data rows. Multiple non-clustered indexes can be created on a table.

39. What is the importance of the COMMIT and ROLLBACK operations?

  • COMMIT: Saves all changes made during the current transaction to the database permanently.
  • ROLLBACK: Reverses all changes made during the current transaction, restoring the database to its previous state.
  • Both operations ensure the ACID properties of transactions: Atomicity and Durability.

40. What is the difference between a superkey and a candidate key?

  • Superkey: A set of one or more attributes that can uniquely identify a row in a table. It may contain unnecessary attributes.
  • Candidate Key: A minimal superkey that uniquely identifies a row, with no redundant attributes. A table can have multiple candidate keys, and one is chosen as the Primary Key.

41. What are the different types of constraints in DBMS? Give examples.

Constraints in DBMS are rules applied to the data in a database to ensure its accuracy and integrity. The most common types of constraints are:

  • NOT NULL: Ensures that a column cannot have NULL values. Example: Name VARCHAR(50) NOT NULL;
  • PRIMARY KEY: Uniquely identifies each record in a table. It ensures that no duplicate rows exist and that no NULL values are allowed. Example: ID INT PRIMARY KEY;
  • FOREIGN KEY: Ensures referential integrity between two tables by linking a column in one table to the primary key in another table. Example: BranchCode INT FOREIGN KEY REFERENCES Branch(BranchCode);
  • UNIQUE: Ensures that all values in a column are distinct. Unlike the primary key, it allows NULL values. Example: Email VARCHAR(100) UNIQUE;
  • CHECK: Ensures that values in a column satisfy a specific condition. Example: Age INT CHECK (Age >= 18);
  • DEFAULT: Assigns a default value to a column if no value is provided during insertion. Example: Status VARCHAR(10) DEFAULT 'Active';

42. Explain the difference between a primary key and a unique key.

Primary Key:

  • Uniquely identifies each record in a table.
  • Cannot contain NULL values.
  • A table can have only one primary key.

Unique Key:

  • Ensures that all values in a column (or a set of columns) are unique across all rows.
  • Can contain NULL values (unlike a primary key).
  • A table can have multiple unique keys.

43. What is referential integrity in DBMS?

Referential Integrity ensures that relationships between tables are maintained correctly. It requires that the foreign key in one table must match a primary key or a unique key in another table (or be NULL). This ensures that data consistency is maintained, and there are no orphan records in the database.

Example: In the Orders table, if the CustomerID is a foreign key, it should match a valid CustomerID in the Customers table or be NULL.

44. How does DBMS handle concurrency control?

Concurrency control ensures that database transactions are executed in a way that prevents conflicts, such as data inconsistency, when multiple transactions are executed simultaneously. DBMS uses the following techniques:

  • Locking: Transactions acquire locks (shared or exclusive) on the data to prevent other transactions from modifying it while one transaction is in progress. Types of Locks: Shared locks (S-lock) and exclusive locks (X-lock).
  • Timestamp Ordering: Assigns a unique timestamp to each transaction and uses these timestamps to determine the order in which transactions should be executed.
  • Optimistic Concurrency Control: Transactions are executed without locking data, but before committing, the system checks whether there were conflicts with other transactions.
  • Two-Phase Locking: Involves two phases—growing (acquiring locks) and shrinking (releasing locks)—to avoid deadlocks and ensure serializability.

45. What are the advantages of using foreign keys in DBMS?

  • Enforcing Data Integrity: Ensures that the value of a foreign key matches a valid primary key or unique key, maintaining consistency.
  • Referential Integrity: Prevents orphaned records in the database by enforcing valid relationships between tables.
  • Easy Data Maintenance: Helps with cascading updates and deletions, meaning changes in the referenced table can automatically propagate to the referencing table (if configured with ON UPDATE CASCADE or ON DELETE CASCADE).
  • Improved Query Efficiency: With foreign keys, database queries that join related tables are more efficient and meaningful.

46. What is a transaction log in DBMS?

A transaction log is a record that keeps track of all transactions executed on a database. It ensures that changes made by transactions are saved, and in case of a system failure, the log can be used to recover the database to its last consistent state. The transaction log contains:

  • The details of each transaction (e.g., start, commit, rollback).
  • Information about data modifications (insertions, updates, deletions).
  • Details about the data before and after the change.

47. What is a materialized view in DBMS?

A materialized view is a database object that contains the results of a query. Unlike a regular view, which is a virtual table (it doesn’t store data), a materialized view stores data physically, improving query performance by precomputing and storing results.

Use Case: Materialized views are commonly used for performance optimization in data warehousing and reporting systems, where the same data is frequently queried.

Example:

CREATE MATERIALIZED VIEW SalesSummary AS
SELECT Product, SUM(Quantity) FROM Sales GROUP BY Product;

48. What are the differences between an ER diagram and a relational schema?

Entity-Relationship Diagram (ERD):

  • A conceptual blueprint that models entities, relationships, and attributes of the database. It visually represents the structure of the database.
  • Used in the database design phase to understand how data entities relate to each other.

Relational Schema:

  • A logical schema that defines the structure of a relational database, including tables, columns, relationships, and constraints.
  • Represents how data is physically organized in tables with constraints such as primary keys, foreign keys, and data types.

49. What is the purpose of the GROUP BY clause in SQL?

The GROUP BY clause is used in SQL to group rows that have the same values in specified columns into summary rows, often with aggregate functions like COUNT, SUM, AVG, MIN, or MAX. It is typically used to organize data for reporting or analysis.

Example: This groups the employees by department and counts the number of employees in each department.

SELECT Department, COUNT(*) FROM Employees
GROUP BY Department;

50. What are stored functions in DBMS?

A stored function is a set of SQL statements that can be executed in the database. It accepts input parameters, performs some logic, and returns a value. Stored functions are similar to stored procedures but differ in that they must return a value.

Example:

CREATE FUNCTION GetEmployeeSalary(EmployeeID INT)
RETURNS DECIMAL(10,2)
BEGIN
DECLARE salary DECIMAL(10,2);
SELECT Salary INTO salary FROM Employee WHERE ID = EmployeeID;
RETURN salary;
END;

Advanced DBMS Interview Questions

DBMS Advanced Interview Questions focus on in-depth knowledge and problem-solving skills for complex database scenarios. This category evaluates your ability to handle large-scale data, optimize query performance, and understand advanced DBMS topics like distributed databases, indexing strategies, and concurrency control mechanisms. Being proficient in these areas is crucial for roles involving high-performance databases and large-scale systems.

51. What are the various types of normalization techniques? Explain with examples.

Normalization is the process of organizing data in a database to eliminate redundancy and improve data integrity. The primary goal is to minimize the chances of anomalies when performing operations like insertions, deletions, and updates. There are several levels or normal forms in normalization:

1. First Normal Form (1NF): Ensures that the data in the table is atomic, meaning each column contains indivisible values (no multi-valued attributes).

Example:

Student (ID, Name, Subjects)

2. Second Normal Form (2NF): 2NF is achieved when the table is in 1NF and all non-key attributes are fully dependent on the primary key.

Example: Consider the following table

StudentCourse (StudentID, CourseID, InstructorName)

Here, InstructorName depends on CourseID, not on StudentID. To make it 2NF, we separate the data:

Student (StudentID, Name)
Course (CourseID, InstructorName)
Enrollment (StudentID, CourseID)

3. Third Normal Form (3NF): A table is in 3NF if it is in 2NF and there is no transitive dependency (non-key attributes depend on other non-key attributes).

Example:

Employee (EmpID, EmpName, DeptID, DeptName)

Here, DeptName depends on DeptID. To bring this into 3NF:

Employee (EmpID, EmpName, DeptID)
Department (DeptID, DeptName)

4. Boyce-Codd Normal Form (BCNF): A stricter version of 3NF where every determinant is a candidate key.

Example:

Student (StudentID, CourseID, InstructorID)

And the constraint is such that InstructorID determines CourseID, it would not be in BCNF because InstructorID is not a candidate key. To achieve BCNF:

Instructor (InstructorID, CourseID)
Enrollment (StudentID, CourseID)

52. What are the different phases of the DBMS query processing cycle?

The DBMS query processing cycle consists of several phases that transform the high-level query (SQL) into executable actions:

  1. Parsing: The SQL query is parsed to check its syntax and semantics. The DBMS ensures that the query is valid according to the SQL syntax and the database schema.
  2. Translation: The query is translated into an internal form, such as a relational algebra expression or an execution plan.
  3. Optimization: The DBMS optimizes the query to determine the most efficient execution plan, considering factors like indexes, joins, and available resources.
  4. Execution: The optimized query plan is executed by the query processor, which accesses the data from the database and returns the results.

53. What are the different types of backups in DBMS?

There are several types of backups in DBMS:

  • Full Backup: A full backup copies the entire database, including all data and the database structure. It is the most comprehensive but can take up a lot of storage and time.
  • Incremental Backup: An incremental backup only copies the data that has changed since the last backup (either full or incremental). This saves space and time but requires the restoration of the full backup and all incremental backups.
  • Differential Backup: A differential backup copies all changes made since the last full backup. It’s faster than a full backup and simpler to restore than incremental backups.
  • Transaction Log Backup: A transaction log backup copies the transaction log, which records all transactions performed on the database. This allows for point-in-time recovery.

54. What is the use of the "WITH CHECK OPTION" in SQL views?

The "WITH CHECK OPTION" is used when creating a view in SQL to ensure that any insert or update operation on the view must adhere to the conditions defined in the view’s WHERE clause. If the inserted or updated data violates these conditions, the operation will be rejected.

Example: Here, if a user tries to insert or update a Student record with a status other than 'Active', the operation will fail.

CREATE VIEW ActiveStudents AS
SELECT * FROM Students WHERE Status = 'Active'
WITH CHECK OPTION;

55. Explain the concept of a B-tree and B+ tree in DBMS.

B-tree (Balanced Tree):

  • A B-tree is a self-balancing tree data structure that maintains sorted data and allows searches, insertions, deletions in logarithmic time.
  • B-trees are used in databases and file systems to store large amounts of data. All nodes in a B-tree can have multiple children, which increases the efficiency of searching.
  • Stores data in both internal and leaf nodes.

B+ tree:

  • A B+ tree is an extension of the B-tree and is widely used in databases for indexing. It differs in that it has a linked list at the leaf level and stores all records in the leaf nodes.
  • The internal nodes of the B+ tree store only keys and pointers to the next level of the tree, while the leaf nodes contain actual data or pointers to the data.
  • Stores data only in the leaf nodes and uses the internal nodes for indexing.

56. What is a hashing technique in DBMS? How does it work?

A hashing technique in DBMS is used to map data (such as a key) to a fixed-size value or address, using a hash function. It is primarily used for quick data retrieval, particularly in hash indexes or hash tables. Example: A hash function might map a StudentID of 123 to a bucket index of 3. The student’s record would be stored in the corresponding bucket.

How it works:

  1. A hash function takes the key (e.g., a record’s ID) and calculates a hash value.
  2. This hash value determines the bucket or slot where the data is stored.
  3. When searching for a record, the hash function is applied again to the key to find the corresponding bucket.

57. What is the difference between a trigger and a stored procedure?

Trigger:

  • A trigger is an automatic action executed by the DBMS when a specific event occurs on a table, such as an INSERT, UPDATE, or DELETE.
  • It cannot be invoked manually and is tied to a specific event.

Stored Procedure:

  • A stored procedure is a precompiled set of SQL statements that can be executed explicitly by a user or application.
  • It is invoked manually, and it can accept input parameters and return output.

58. Explain the concept of data partitioning in DBMS.

Data partitioning is the process of dividing large datasets into smaller, more manageable segments (partitions) to improve performance, scalability, and availability. Each partition can be stored and processed separately.

Types of partitioning:

  1. Horizontal Partitioning: Divides data by rows. For example, splitting data by time range (e.g., 2020 data in one partition, 2021 in another).
  2. Vertical Partitioning: Divides data by columns. For example, putting frequently accessed columns in one partition and less frequently accessed columns in another.
  3. Range Partitioning: Data is divided based on a range of values (e.g., age groups, date ranges).
  4. Hash Partitioning: Data is distributed across partitions based on a hash value derived from a key column.

59. What is the role of the DBMS in handling data integrity and security?

The DBMS plays a critical role in ensuring:

  • Data Integrity: Through constraints like Primary Keys, Foreign Keys, and Check Constraints, the DBMS ensures data consistency and accuracy.
  • Data Security: DBMS systems provide user authentication, access control, and encryption mechanisms to protect data from unauthorized access and breaches. It also supports role-based access control (RBAC), ensuring that only authorized users can perform certain actions on the data.

60. How is DBMS different from a file-based system?

AspectDBMSFile-based System
Data OrganizationData is stored in tables (relations) with structured schemas, supporting complex queries and relationships.Data is stored in flat files without any relationship between data.
Data RedundancyMinimizes redundancy through normalization.Data redundancy is common as data may be duplicated across different files.
Data IntegrityEnsures data integrity through constraints (e.g., primary keys, foreign keys, and check constraints).Data integrity is hard to enforce, as files don’t have built-in integrity checks.
SecurityProvides advanced security features like user authentication, access control, and encryption.Security is managed at the file system level, which is less robust than DBMS security features.
Concurrency ControlHandles concurrent access using locking mechanisms, ensuring data consistency.No built-in concurrency control; data corruption may occur when multiple users access the same file.
Data AccessSupports complex querying and transaction management (e.g., SQL).Data access is limited to basic file operations like reading, writing, and appending.
Backup and RecoveryAutomatic backup and recovery mechanisms, often integrated into the system.Backup and recovery mechanisms are manual and may not be as robust.
ScalabilityEasily scalable to handle large datasets and multiple users.Not as scalable; managing large amounts of data and multiple users is difficult.
MaintenanceCentralized maintenance, with tools for optimization, tuning, and troubleshooting.Maintenance is usually handled at the file system level, which may require manual intervention.
Transaction ManagementSupports ACID (Atomicity, Consistency, Isolation, Durability) properties for reliable transaction management.No built-in support for transactions or ACID properties, making it prone to errors during data modification.

Conclusion

Preparing for a DBMS interview requires a strong understanding of both fundamental and advanced concepts. From basic database operations to handling large-scale data with advanced indexing strategies, mastering these DBMS interview questions will prepare you for a variety of challenges you may encounter in your career. By practicing these questions, you’ll enhance your problem-solving skills, boost your confidence, and be ready to tackle any database-related challenges in your interview.


Next Article
Commonly asked DBMS Interview Questions | Set 2

K

kartik
Improve
Article Tags :
  • DBMS
  • Interview Questions
  • Databases
  • Interview-Questions

Similar Reads

    DBMS Tutorial – Learn Database Management System
    Database Management System (DBMS) is a software used to manage data from a database. A database is a structured collection of data that is stored in an electronic device. The data can be text, video, image or any other format.A relational database stores data in the form of tables and a NoSQL databa
    7 min read

    Basic of DBMS

    Introduction of DBMS (Database Management System)
    A Database Management System (DBMS) is a software solution designed to efficiently manage, organize, and retrieve data in a structured manner. It serves as a critical component in modern computing, enabling organizations to store, manipulate, and secure their data effectively. From small application
    8 min read
    History of DBMS
    The first database management systems (DBMS) were created to handle complex data for businesses in the 1960s. These systems included Charles Bachman's Integrated Data Store (IDS) and IBM's Information Management System (IMS). Databases were first organized into tree-like structures using hierarchica
    7 min read
    DBMS Architecture 1-level, 2-Level, 3-Level
    A database stores important information that needs to be accessed quickly and securely. Choosing the right DBMS architecture is essential for organizing, managing, and maintaining the data efficiently. It defines how users interact with the database to read, write, or update information. The schema
    7 min read
    Difference between File System and DBMS
    A file system and a DBMS are two kinds of data management systems that are used in different capacities and possess different characteristics. A File System is a way of organizing files into groups and folders and then storing them in a storage device. It provides the media that stores data as well
    6 min read

    Entity Relationship Model

    Introduction of ER Model
    The Entity-Relationship Model (ER Model) is a conceptual model for designing a databases. This model represents the logical structure of a database, including entities, their attributes and relationships between them. Entity: An objects that is stored as data such as Student, Course or Company.Attri
    10 min read
    Structural Constraints of Relationships in ER Model
    Structural constraints, within the context of Entity-Relationship (ER) modeling, specify and determine how the entities take part in the relationships and this gives an outline of how the interactions between the entities can be designed in a database. Two primary types of constraints are cardinalit
    5 min read
    Generalization, Specialization and Aggregation in ER Model
    Using the ER model for bigger data creates a lot of complexity while designing a database model, So in order to minimize the complexity Generalization, Specialization, and Aggregation were introduced in the ER model. These were used for data abstraction. In which an abstraction mechanism is used to
    4 min read
    Introduction of Relational Model and Codd Rules in DBMS
    The Relational Model is a fundamental concept in Database Management Systems (DBMS) that organizes data into tables, also known as relations. This model simplifies data storage, retrieval, and management by using rows and columns. Codd’s Rules, introduced by Dr. Edgar F. Codd, define the principles
    14 min read
    Types of Keys in Relational Model (Candidate, Super, Primary, Alternate and Foreign)
    In the context of a relational database, Keys are one of the basic requirements of a relational database model. keys are fundamental components that ensure data integrity, uniqueness, and efficient access. It is widely used to identify the tuples(rows) uniquely in the table. We also use keys to set
    8 min read
    Mapping from ER Model to Relational Model
    Converting an Entity-Relationship (ER) diagram to a Relational Model is a crucial step in database design. The ER model represents the conceptual structure of a database, while the Relational Model is a physical representation that can be directly implemented using a Relational Database Management S
    7 min read
    Strategies for Schema design in DBMS
    There are various strategies that are considered while designing a schema. Most of these strategies follow an incremental approach that is, they must start with some schema constructs derived from the requirements and then they incrementally modify, refine, or build on them. In this article, let's d
    7 min read

    Relational Model

    Introduction of Relational Algebra in DBMS
    Relational Algebra is a formal language used to query and manipulate relational databases, consisting of a set of operations like selection, projection, union, and join. It provides a mathematical framework for querying databases, ensuring efficient data retrieval and manipulation. Relational algebr
    9 min read
    SQL Joins (Inner, Left, Right and Full Join)
    SQL joins are fundamental tools for combining data from multiple tables in relational databases. Joins allow efficient data retrieval, which is essential for generating meaningful observations and solving complex business queries. Understanding SQL join types, such as INNER JOIN, LEFT JOIN, RIGHT JO
    5 min read
    Join operation Vs Nested query in DBMS
    The growth of technology and automation coupled with exponential amounts of data has led to the importance and omnipresence of databases which, simply put, are organized collections of data. Considering a naive approach, one can theoretically keep all the data in one large table, however that increa
    5 min read
    Tuple Relational Calculus (TRC) in DBMS
    Tuple Relational Calculus (TRC) is a non-procedural query language used in relational database management systems (RDBMS) to retrieve data from tables. TRC is based on the concept of tuples, which are ordered sets of attribute values that represent a single row or record in a database table. TRC is
    4 min read
    Domain Relational Calculus in DBMS
    Domain Relational Calculus is a non-procedural query language equivalent in power to Tuple Relational Calculus. Domain Relational Calculus provides only the description of the query but it does not provide the methods to solve it. In Domain Relational Calculus, a query is expressed as, { < x1, x2
    2 min read

    Relational Algebra

    Introduction of Relational Algebra in DBMS
    Relational Algebra is a formal language used to query and manipulate relational databases, consisting of a set of operations like selection, projection, union, and join. It provides a mathematical framework for querying databases, ensuring efficient data retrieval and manipulation. Relational algebr
    9 min read
    SQL Joins (Inner, Left, Right and Full Join)
    SQL joins are fundamental tools for combining data from multiple tables in relational databases. Joins allow efficient data retrieval, which is essential for generating meaningful observations and solving complex business queries. Understanding SQL join types, such as INNER JOIN, LEFT JOIN, RIGHT JO
    5 min read
    Join operation Vs Nested query in DBMS
    The growth of technology and automation coupled with exponential amounts of data has led to the importance and omnipresence of databases which, simply put, are organized collections of data. Considering a naive approach, one can theoretically keep all the data in one large table, however that increa
    5 min read
    Tuple Relational Calculus (TRC) in DBMS
    Tuple Relational Calculus (TRC) is a non-procedural query language used in relational database management systems (RDBMS) to retrieve data from tables. TRC is based on the concept of tuples, which are ordered sets of attribute values that represent a single row or record in a database table. TRC is
    4 min read
    Domain Relational Calculus in DBMS
    Domain Relational Calculus is a non-procedural query language equivalent in power to Tuple Relational Calculus. Domain Relational Calculus provides only the description of the query but it does not provide the methods to solve it. In Domain Relational Calculus, a query is expressed as, { < x1, x2
    2 min read

    Functional Dependencies & Normalization

    Functional Dependency and Attribute Closure
    Functional dependency and attribute closure are essential for maintaining data integrity and building effective, organized, and normalized databases.Functional DependencyA functional dependency A->B in a relation holds if two tuples having the same value of attribute A must have the same value fo
    5 min read
    Armstrong's Axioms in Functional Dependency in DBMS
    Armstrong's Axioms refer to a set of inference rules, introduced by William W. Armstrong, that are used to test the logical implication of functional dependencies. Given a set of functional dependencies F, the closure of F (denoted as F+) is the set of all functional dependencies logically implied b
    4 min read
    Canonical Cover of Functional Dependencies in DBMS
    Managing a large set of functional dependencies can result in unnecessary computational overhead. This is where the canonical cover becomes useful. The canonical cover of a set of functional dependencies F is a simplified version of F that retains the same closure as the original set, ensuring no re
    7 min read
    Normal Forms in DBMS
    In the world of database management, Normal Forms are important for ensuring that data is structured logically, reducing redundancy, and maintaining data integrity. When working with databases, especially relational databases, it is critical to follow normalization techniques that help to eliminate
    7 min read
    The Problem of Redundancy in Database
    Redundancy means having multiple copies of the same data in the database. This problem arises when a database is not normalized. Suppose a table of student details attributes is: student ID, student name, college name, college rank, and course opted. Student_ID Name Contact College Course Rank 100Hi
    6 min read
    Lossless Join and Dependency Preserving Decomposition
    Decomposition of a relation is done when a relation in a relational model is not in appropriate normal form. Relation R is decomposed into two or more relations if decomposition is lossless join as well as dependency preserving. Lossless Join DecompositionIf we decompose a relation R into relations
    4 min read
    Denormalization in Databases
    Denormalization focuses on combining multiple tables to make queries execute quickly. It adds redundancies in the database though. In this article, we’ll explore Denormalization and how it impacts database design. This method can help us to avoid costly joins in a relational database made during nor
    6 min read

    Transactions & Concurrency Control

    ACID Properties in DBMS
    In the world of DBMS, transactions are fundamental operations that allow us to modify and retrieve data. However, to ensure the integrity of a database, it is important that these transactions are executed in a way that maintains consistency, correctness, and reliability. This is where the ACID prop
    8 min read
    Types of Schedules in DBMS
    Schedule, as the name suggests, is a process of lining the transactions and executing them one by one. When there are multiple transactions that are running in a concurrent manner and the order of operation is needed to be set so that the operations do not overlap each other, Scheduling is brought i
    7 min read
    Recoverability in DBMS
    Recoverability is a critical feature of database systems. It ensures that after a failure, the database returns to a consistent state by permanently saving committed transactions and rolling back uncommitted ones. It relies on transaction logs to undo or redo changes as needed. This is crucial in mu
    6 min read
    Implementation of Locking in DBMS
    Locking protocols are used in database management systems as a means of concurrency control. Multiple transactions may request a lock on a data item simultaneously. Hence, we require a mechanism to manage the locking requests made by transactions. Such a mechanism is called a Lock Manager. It relies
    5 min read
    Deadlock in DBMS
    In a Database Management System (DBMS), a deadlock occurs when two or more transactions are waiting indefinitely for one another to release resources (such as locks on tables, rows, or other database objects). This results in a situation where none of the transactions can proceed, effectively bringi
    8 min read
    Starvation in DBMS
    Starvation in DBMS is a problem that happens when some processes are unable to get the resources they need because other processes keep getting priority. This can happen in situations like locking or scheduling, where some processes keep getting the resources first, leaving others waiting indefinite
    8 min read

    Advanced DBMS

    Indexing in Databases - Set 1
    Indexing is a crucial technique used in databases to optimize data retrieval operations. It improves query performance by minimizing disk I/O operations, thus reducing the time it takes to locate and access data. Essentially, indexing allows the database management system (DBMS) to locate data more
    8 min read
    Introduction of B-Tree
    A B-Tree is a specialized m-way tree designed to optimize data access, especially on disk-based storage systems. In a B-Tree of order m, each node can have up to m children and m-1 keys, allowing it to efficiently manage large datasets.The value of m is decided based on disk block and key sizes.One
    8 min read
    Introduction of B+ Tree
    B + Tree is a variation of the B-tree data structure. In a B + tree, data pointers are stored only at the leaf nodes of the tree. In this tree, structure of a leaf node differs from the structure of internal nodes. The leaf nodes have an entry for every value of the search field, along with a data p
    8 min read
    Bitmap Indexing in DBMS
    Bitmap Indexing is a data indexing technique used in database management systems (DBMS) to improve the performance of read-only queries that involve large datasets. It involves creating a bitmap index, which is a data structure that represents the presence or absence of data values in a table or col
    8 min read
    Inverted Index
    An Inverted Index is a data structure used in information retrieval systems to efficiently retrieve documents or web pages containing a specific term or set of terms. In an inverted index, the index is organized by terms (words), and each term points to a list of documents or web pages that contain
    7 min read
    SQL Queries on Clustered and Non-Clustered Indexes
    Indexes in SQL play a pivotal role in enhancing database performance by enabling efficient data retrieval without scanning the entire table. The two primary types of indexes Clustered Index and Non-Clustered Index serve distinct purposes in optimizing query performance. In this article, we will expl
    7 min read
    File Organization in DBMS - Set 1
    A database consists of a huge amount of data. The data is grouped within a table in RDBMS, and each table has related records. A user can see that the data is stored in the form of tables, but in actuality, this huge amount of data is stored in physical memory in the form of files. What is a File?A
    6 min read

    DBMS Practice

    Last Minute Notes - DBMS
    Database Management System is an organized collection of interrelated data that helps in accessing data quickly, along with efficient insertion, and deletion of data into the DBMS. DBMS organizes data in the form of tables, schemas, records, etc. DBMS over File System (Limitations of File System)The
    15+ min read
    Top 60 DBMS Interview Questions with Answers for 2025
    A Database Management System (DBMS) is the backbone of modern data storage and management. Understanding DBMS concepts is critical for anyone looking to work with databases. Whether you're preparing for your first job in database management or advancing in your career, being well-prepared for a DBMS
    15+ min read
    Commonly asked DBMS Interview Questions | Set 2
    This article is an extension of Commonly asked DBMS interview questions | Set 1.Q1. There is a table where only one row is fully repeated. Write a Query to find the Repeated rowNameSectionabcCS1bcdCS2abcCS1In the above table, we can find duplicate rows using the below query.SELECT name, section FROM
    5 min read
geeksforgeeks-footer-logo
Corporate & Communications Address:
A-143, 7th Floor, Sovereign Corporate Tower, Sector- 136, Noida, Uttar Pradesh (201305)
Registered Address:
K 061, Tower K, Gulshan Vivante Apartment, Sector 137, Noida, Gautam Buddh Nagar, Uttar Pradesh, 201305
GFG App on Play Store GFG App on App Store
Advertise with us
  • Company
  • About Us
  • Legal
  • Privacy Policy
  • In Media
  • Contact Us
  • Advertise with us
  • GFG Corporate Solution
  • Placement Training Program
  • Languages
  • Python
  • Java
  • C++
  • PHP
  • GoLang
  • SQL
  • R Language
  • Android Tutorial
  • Tutorials Archive
  • DSA
  • Data Structures
  • Algorithms
  • DSA for Beginners
  • Basic DSA Problems
  • DSA Roadmap
  • Top 100 DSA Interview Problems
  • DSA Roadmap by Sandeep Jain
  • All Cheat Sheets
  • Data Science & ML
  • Data Science With Python
  • Data Science For Beginner
  • Machine Learning
  • ML Maths
  • Data Visualisation
  • Pandas
  • NumPy
  • NLP
  • Deep Learning
  • Web Technologies
  • HTML
  • CSS
  • JavaScript
  • TypeScript
  • ReactJS
  • NextJS
  • Bootstrap
  • Web Design
  • Python Tutorial
  • Python Programming Examples
  • Python Projects
  • Python Tkinter
  • Python Web Scraping
  • OpenCV Tutorial
  • Python Interview Question
  • Django
  • Computer Science
  • Operating Systems
  • Computer Network
  • Database Management System
  • Software Engineering
  • Digital Logic Design
  • Engineering Maths
  • Software Development
  • Software Testing
  • DevOps
  • Git
  • Linux
  • AWS
  • Docker
  • Kubernetes
  • Azure
  • GCP
  • DevOps Roadmap
  • System Design
  • High Level Design
  • Low Level Design
  • UML Diagrams
  • Interview Guide
  • Design Patterns
  • OOAD
  • System Design Bootcamp
  • Interview Questions
  • Inteview Preparation
  • Competitive Programming
  • Top DS or Algo for CP
  • Company-Wise Recruitment Process
  • Company-Wise Preparation
  • Aptitude Preparation
  • Puzzles
  • School Subjects
  • Mathematics
  • Physics
  • Chemistry
  • Biology
  • Social Science
  • English Grammar
  • Commerce
  • World GK
  • GeeksforGeeks Videos
  • DSA
  • Python
  • Java
  • C++
  • Web Development
  • Data Science
  • CS Subjects
@GeeksforGeeks, Sanchhaya Education Private Limited, All rights reserved
We use cookies to ensure you have the best browsing experience on our website. By using our site, you acknowledge that you have read and understood our Cookie Policy & Privacy Policy
Lightbox
Improvement
Suggest Changes
Help us improve. Share your suggestions to enhance the article. Contribute your expertise and make a difference in the GeeksforGeeks portal.
geeksforgeeks-suggest-icon
Create Improvement
Enhance the article with your expertise. Contribute to the GeeksforGeeks community and help create better learning resources for all.
geeksforgeeks-improvement-icon
Suggest Changes
min 4 words, max Words Limit:1000

Thank You!

Your suggestions are valuable to us.

What kind of Experience do you want to share?

Interview Experiences
Admission Experiences
Career Journeys
Work Experiences
Campus Experiences
Competitive Exam Experiences