KEMBAR78
SQL Interview Questions BASIC | PDF | Database Index | Pl/Sql
0% found this document useful (0 votes)
34 views95 pages

SQL Interview Questions BASIC

Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
34 views95 pages

SQL Interview Questions BASIC

Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 95

SQL Interview Questions

1. What is Database?

A database is an organized collection of data, stored and retrieved digitally from a


remote or local computer system.

2. What is DBMS?

DBMS stands for Database Management System. DBMS is a system software


responsible for the creation, retrieval, updation, and management of the database. It
ensures that our data is consistent, organized, and is easily accessible by serving as an
interface between the database and its end-users or application software.

3. What is RDBMS? How is it different from DBMS?

RDBMS stands for Relational Database Management System. The key difference here,
compared to DBMS, is that RDBMS stores data in the form of a collection of tables,
and relations can be defined between the common fields of these tables. Most modern
database management systems like MySQL, Microsoft SQL Server, Oracle, IBM DB2,
and Amazon Redshift are based on RDBMS.

5. What is the difference between SQL and MySQL?

SQL is a standard language for retrieving and manipulating structured databases. On


the contrary, MySQL is a relational database management system, like SQL Server,
Oracle or IBM DB2, that is used to manage SQL databases.

6. What are Tables and Fields?

A table is an organized collection of data stored in the form of rows and columns.
Columns can be categorized as vertical and rows as horizontal. The columns in a table
are called fields while the rows can be referred to as records.

7. What are Constraints in SQL?

Constraints are used to specify the rules concerning data in the table. It can be applied
for single or multiple fields in an SQL table during the creation of the table or after
creating using the ALTER TABLE command. The constraints are:

1
 NOT NULL - Restricts NULL value from being inserted into a column.
 CHECK - Verifies that all values in a field satisfy a condition.
 DEFAULT - Automatically assigns a default value if no value has been specified for the
field.
 UNIQUE - Ensures unique values to be inserted into the field.
 INDEX - Indexes a field providing faster retrieval of records.
 PRIMARY KEY - Uniquely identifies each record in a table.
 FOREIGN KEY - Ensures referential integrity for a record in another table.

8. What is a Primary Key?

The PRIMARY KEY constraint uniquely identifies each row in a table. It must contain
UNIQUE values and has an implicit NOT NULL constraint.
A table in SQL is strictly restricted to have one and only one primary key, which is
comprised of single or multiple fields (columns).

CREATE TABLE Students ( /* Create table with a single field as primary key
*/
ID INT NOT NULL
Name VARCHAR(255)
PRIMARY KEY (ID)
);

CREATE TABLE Students ( /* Create table with multiple fields as primary


key */
ID INT NOT NULL
LastName VARCHAR(255)
FirstName VARCHAR(255) NOT NULL,
CONSTRAINT PK_Student
PRIMARY KEY (ID, FirstName)
);

ALTER TABLE Students /* Set a column as primary key */


ADD PRIMARY KEY (ID);
ALTER TABLE Students /* Set multiple columns as primary key */
ADD CONSTRAINT PK_Student /*Naming a Primary Key*/
PRIMARY KEY (ID, FirstName);

9. What is a UNIQUE constraint?

A UNIQUE constraint ensures that all values in a column are different. This provides
uniqueness for the column(s) and helps identify each row uniquely. Unlike primary key,
there can be multiple unique constraints defined per table. The code syntax for
UNIQUE is quite similar to that of PRIMARY KEY and can be used interchangeably.

CREATE TABLE Students ( /* Create table with a single field as unique */


ID INT NOT NULL UNIQUE
Name VARCHAR(255)

2
);

CREATE TABLE Students ( /* Create table with multiple fields as unique */


ID INT NOT NULL
LastName VARCHAR(255)
FirstName VARCHAR(255) NOT NULL
CONSTRAINT PK_Student
UNIQUE (ID, FirstName)
);

ALTER TABLE Students /* Set a column as unique */


ADD UNIQUE (ID);
ALTER TABLE Students /* Set multiple columns as unique */
ADD CONSTRAINT PK_Student /* Naming a unique constraint */
UNIQUE (ID, FirstName);

10. What is a Foreign Key?

A FOREIGN KEY comprises of single or collection of fields in a table that essentially


refers to the PRIMARY KEY in another table. Foreign key constraint ensures referential
integrity in the relation between two tables.
The table with the foreign key constraint is labeled as the child table, and the table
containing the candidate key is labeled as the referenced or parent table.

CREATE TABLE Students ( /* Create table with foreign key - Way 1 */


ID INT NOT NULL
Name VARCHAR(255)
LibraryID INT
PRIMARY KEY (ID)
FOREIGN KEY (Library_ID) REFERENCES Library(LibraryID)
);

CREATE TABLE Students ( /* Create table with foreign key - Way 2 */


ID INT NOT NULL PRIMARY KEY
Name VARCHAR(255)
LibraryID INT FOREIGN KEY (Library_ID) REFERENCES Library(LibraryID)
);

ALTER TABLE Students /* Add a new foreign key */


ADD FOREIGN KEY (LibraryID)
REFERENCES Library (LibraryID);

11. What is a Join? List its different types.

The SQL Join clause is used to combine records (rows) from two or more tables in a
SQL database based on a related column between the two.

3
There are four different types of JOINs in SQL:

 (INNER) JOIN: Retrieves records that have matching values in both tables involved in
the join. This is the widely used join for queries.

SELECT *
FROM Table_A
JOIN Table_B;
SELECT *
FROM Table_A
INNER JOIN Table_B;

 LEFT (OUTER) JOIN: Retrieves all the records/rows from the left and the matched
records/rows from the right table.

SELECT *
FROM Table_A A
LEFT JOIN Table_B B
ON A.col = B.col;

 RIGHT (OUTER) JOIN: Retrieves all the records/rows from the right and the matched
records/rows from the left table.

SELECT *
FROM Table_A A
RIGHT JOIN Table_B B
ON A.col = B.col;

 FULL (OUTER) JOIN: Retrieves all the records where there is a match in either the left
or right table.

SELECT *
FROM Table_A A
FULL JOIN Table_B B

4
ON A.col = B.col;

12. What is a Self-Join?

A self JOIN is a case of regular join where a table is joined to itself based on some
relation between its own column(s). Self-join uses the INNER JOIN or LEFT JOIN clause
and a table alias is used to assign different names to the table within the query.

SELECT A.emp_id AS "Emp_ID",A.emp_name AS "Employee",


B.emp_id AS "Sup_ID",B.emp_name AS "Supervisor"
FROM employee A, employee B
WHERE A.emp_sup = B.emp_id;

13. What is a Cross-Join?

Cross join can be defined as a cartesian product of the two tables included in the join.
The table after join contains the same number of rows as in the cross-product of the
number of rows in the two tables. If a WHERE clause is used in cross join then the
query will work like an INNER JOIN.

SELECT stu.name, sub.subject


FROM students AS stu
CROSS JOIN subjects AS sub;

Write a SQL statement to CROSS JOIN 'table_1' with 'table_2' and fetch 'col_1' from
table_1 & 'col_2' from table_2 respectively. Do not use alias.

Write a SQL statement to perform SELF JOIN for 'Table_X' with alias 'Table_1' and
'Table_2', on columns 'Col_1' and 'Col_2' respectively.

14. What is an Index? Explain its different types.

5
A database index is a data structure that provides a quick lookup of data in a column
or columns of a table. It enhances the speed of operations accessing data from a
database table at the cost of additional writes and memory to maintain the index data
structure.

CREATE INDEX index_name /* Create Index */


ON table_name (column_1, column_2);
DROP INDEX index_name; /* Drop Index */

There are different types of indexes that can be created for different purposes:

 Unique and Non-Unique Index:

Unique indexes are indexes that help maintain data integrity by ensuring that no two
rows of data in a table have identical key values. Once a unique index has been
defined for a table, uniqueness is enforced whenever keys are added or changed
within the index.

CREATE UNIQUE INDEX myIndex


ON students (enroll_no);

Non-unique indexes, on the other hand, are not used to enforce constraints on the
tables with which they are associated. Instead, non-unique indexes are used solely to
improve query performance by maintaining a sorted order of data values that are used
frequently.

 Clustered and Non-Clustered Index:

Clustered indexes are indexes whose order of the rows in the database corresponds to
the order of the rows in the index. This is why only one clustered index can exist in a
given table, whereas, multiple non-clustered indexes can exist in the table.

The only difference between clustered and non-clustered indexes is that the database
manager attempts to keep the data in the database in the same order as the
corresponding keys appear in the clustered index.

Clustering indexes can improve the performance of most query operations because
they provide a linear-access path to data stored in the database.

Write a SQL statement to create a UNIQUE INDEX "my_index" on "my_table" for fields
"column_1" & "column_2".

6
15. What is the difference between Clustered and Non-clustered index?

As explained above, the differences can be broken down into three small factors -

 Clustered index modifies the way records are stored in a database based on the
indexed column. A non-clustered index creates a separate entity within the table which
references the original table.
 Clustered index is used for easy and speedy retrieval of data from the database,
whereas, fetching records from the non-clustered index is relatively slower.
 In SQL, a table can have a single clustered index whereas it can have multiple non-
clustered indexes.

16. What is Data Integrity?

Data Integrity is the assurance of accuracy and consistency of data over its entire life-
cycle and is a critical aspect of the design, implementation, and usage of any system
which stores, processes, or retrieves data. It also defines integrity constraints to
enforce business rules on the data when it is entered into an application or a database.

17. What is a Query?

A query is a request for data or information from a database table or combination of


tables. A database query can be either a select query or an action query.

SELECT fname, lname /* select query */


FROM myDb.students
WHERE student_id = 1;
UPDATE myDB.students /* action query */
SET fname = 'Captain', lname = 'America'
WHERE student_id = 1;

18. What is a Subquery? What are its types?

A subquery is a query within another query, also known as a nested query or inner
query. It is used to restrict or enhance the data to be queried by the main query, thus
restricting or enhancing the output of the main query respectively. For example, here
we fetch the contact information for students who have enrolled for the maths subject:

SELECT name, email, mob, address


FROM myDb.contacts
WHERE roll_no IN (
SELECT roll_no
FROM myDb.students
WHERE subject = 'Maths');

7
There are two types of subquery - Correlated and Non-Correlated.

 A correlated subquery cannot be considered as an independent query, but it can refer


to the column in a table listed in the FROM of the main query.
 A non-correlated subquery can be considered as an independent query and the
output of the subquery is substituted in the main query.

Write a SQL query to update the field "status" in table "applications" from 0 to 1.

Write a SQL query to select the field "app_id" in table "applications" where "app_id"
less than 1000.

Write a SQL query to fetch the field "app_name" from "apps" where "apps.id" is equal
to the above collection of "app_id".

19. What is the SELECT statement?

SELECT operator in SQL is used to select data from a database. The data returned is
stored in a result table, called the result-set.

SELECT * FROM myDB.students;

20. What are some common clauses used with SELECT query in SQL?

Some common SQL clauses used in conjuction with a SELECT query are as follows:

 WHERE clause in SQL is used to filter records that are necessary, based on specific
conditions.
 ORDER BY clause in SQL is used to sort the records based on some field(s) in
ascending (ASC) or descending order (DESC).

SELECT *
FROM myDB.students
WHERE graduation_year = 2019
ORDER BY studentID DESC;

8
 GROUP BY clause in SQL is used to group records with identical data and can be used
in conjunction with some aggregation functions to produce summarized results from
the database.
 HAVING clause in SQL is used to filter records in combination with the GROUP BY
clause. It is different from WHERE, since the WHERE clause cannot filter aggregated
records.

SELECT COUNT(studentId), country


FROM myDB.students
WHERE country != "INDIA"
GROUP BY country
HAVING COUNT(studentID) > 5;

21. What are UNION, MINUS and INTERSECT commands?

The UNION operator combines and returns the result-set retrieved by two or more
SELECT statements.
The MINUS operator in SQL is used to remove duplicates from the result-set obtained
by the second SELECT query from the result-set obtained by the first SELECT query and
then return the filtered results from the first.
The INTERSECT clause in SQL combines the result-set fetched by the two SELECT
statements where records from one match the other and then returns this intersection
of result-sets.

Certain conditions need to be met before executing either of the above statements in
SQL -

 Each SELECT statement within the clause must have the same number of columns
 The columns must also have similar data types
 The columns in each SELECT statement should necessarily have the same order

SELECT name FROM Students /* Fetch the union of queries */


UNION
SELECT name FROM Contacts;
SELECT name FROM Students /* Fetch the union of queries with duplicates*/
UNION ALL
SELECT name FROM Contacts;
SELECT name FROM Students /* Fetch names from students */
MINUS /* that aren't present in contacts */
SELECT name FROM Contacts;
SELECT name FROM Students /* Fetch names from students */
INTERSECT /* that are present in contacts as well */
SELECT name FROM Contacts;

Write a SQL query to fetch "names" that are present in either table "accounts" or in
table "registry".

9
Write a SQL query to fetch "names" that are present in "accounts" but not in table
"registry".

Write a SQL query to fetch "names" from table "contacts" that are neither present in
"accounts.name" nor in "registry.name".

22. What is Cursor? How to use a Cursor?

A database cursor is a control structure that allows for the traversal of records in a
database. Cursors, in addition, facilitates processing after traversal, such as retrieval,
addition, and deletion of database records. They can be viewed as a pointer to one
row in a set of rows.

Working with SQL Cursor:

1. DECLARE a cursor after any variable declaration. The cursor declaration must
always be associated with a SELECT Statement.
2. Open cursor to initialize the result set. The OPEN statement must be called
before fetching rows from the result set.
3. FETCH statement to retrieve and move to the next row in the result set.
4. Call the CLOSE statement to deactivate the cursor.
5. Finally use the DEALLOCATE statement to delete the cursor definition and
release the associated resources.

DECLARE @name VARCHAR(50) /* Declare All Required Variables */


DECLARE db_cursor CURSOR FOR /* Declare Cursor Name*/
SELECT name
FROM myDB.students
WHERE parent_name IN ('Sara', 'Ansh')
OPEN db_cursor /* Open cursor and Fetch data into @name */
FETCH next
FROM db_cursor
INTO @name
CLOSE db_cursor /* Close the cursor and deallocate the resources */
DEALLOCATE db_cursor

23. What are Entities and Relationships?

10
Entity: An entity can be a real-world object, either tangible or intangible, that can be
easily identifiable. For example, in a college database, students, professors, workers,
departments, and projects can be referred to as entities. Each entity has some
associated properties that provide it an identity.

Relationships: Relations or links between entities that have something to do with each
other. For example - The employee's table in a company's database can be associated
with the salary table in the same database.

24. List the different types of relationships in SQL.

 One-to-One - This can be defined as the relationship between two tables where each
record in one table is associated with the maximum of one record in the other table.
 One-to-Many & Many-to-One - This is the most commonly used relationship where
a record in a table is associated with multiple records in the other table.
 Many-to-Many - This is used in cases when multiple instances on both sides are
needed for defining a relationship.
 Self-Referencing Relationships - This is used when a table needs to define a
relationship with itself.

25. What is an Alias in SQL?

11
An alias is a feature of SQL that is supported by most, if not all, RDBMSs. It is a
temporary name assigned to the table or table column for the purpose of a particular
SQL query. In addition, aliasing can be employed as an obfuscation technique to
secure the real names of database fields. A table alias is also called a correlation name.

An alias is represented explicitly by the AS keyword but in some cases, the same can
be performed without it as well. Nevertheless, using the AS keyword is always a good
practice.

SELECT A.emp_name AS "Employee" /* Alias using AS keyword */


B.emp_name AS "Supervisor"
FROM employee A, employee B /* Alias without AS keyword */
WHERE A.emp_sup = B.emp_id;

Write an SQL statement to select all from table "Limited" with alias "Ltd".

26. What is a View?

A view in SQL is a virtual table based on the result-set of an SQL statement. A view
contains rows and columns, just like a real table. The fields in a view are fields from
one or more real tables in the database.

12
27. What is Normalization?

Normalization represents the way of organizing structured data in the database


efficiently. It includes the creation of tables, establishing relationships between them,
and defining rules for those relationships. Inconsistency and redundancy can be kept
in check based on these rules, hence, adding flexibility to the database.

28. What is Denormalization?

13
Denormalization is the inverse process of normalization, where the normalized schema
is converted into a schema that has redundant information. The performance is
improved by using redundancy and keeping the redundant data consistent. The reason
for performing denormalization is the overheads produced in the query processor by
an over-normalized structure.

29. What are the various forms of Normalization?

Normal Forms are used to eliminate or reduce redundancy in database tables. The
different forms are as follows:

 First Normal Form:


A relation is in first normal form if every attribute in that relation is a single-valued
attribute. If a relation contains a composite or multi-valued attribute, it violates the
first normal form. Let's consider the following students table. Each student in the
table, has a name, his/her address, and the books they issued from the public library -

Students Table

Student Address Books Issued Salutation


Amanora Park Until the Day I Die (Emily Carpenter), Inception
Sara Ms.
Town 94 (Christopher Nolan)
The Alchemist (Paulo Coelho), Inferno (Dan
Ansh 62nd Sector A-10 Mr.
Brown)
24th Street Park Beautiful Bad (Annie Ward), Woman 99 (Greer
Sara Mrs.
Avenue Macallister)
Windsor Street
Ansh Dracula (Bram Stoker) Mr.
777

As we can observe, the Books Issued field has more than one value per record, and to
convert it into 1NF, this has to be resolved into separate individual records for each
book issued. Check the following table in 1NF form -

Students Table (1st Normal Form)

Student Address Books Issued Salutation


Sara Amanora Park Town 94 Until the Day I Die (Emily Carpenter) Ms.
Sara Amanora Park Town 94 Inception (Christopher Nolan) Ms.
Ansh 62nd Sector A-10 The Alchemist (Paulo Coelho) Mr.
Ansh 62nd Sector A-10 Inferno (Dan Brown) Mr.

14
Student Address Books Issued Salutation
Sara 24th Street Park Avenue Beautiful Bad (Annie Ward) Mrs.
Sara 24th Street Park Avenue Woman 99 (Greer Macallister) Mrs.
Ansh Windsor Street 777 Dracula (Bram Stoker) Mr.

 Second Normal Form:

A relation is in second normal form if it satisfies the conditions for the first normal
form and does not contain any partial dependency. A relation in 2NF has no partial
dependency, i.e., it has no non-prime attribute that depends on any proper subset of
any candidate key of the table. Often, specifying a single column Primary Key is the
solution to the problem. Examples -

Example 1 - Consider the above example. As we can observe, the Students Table in
the 1NF form has a candidate key in the form of [Student, Address] that can uniquely
identify all records in the table. The field Books Issued (non-prime attribute) depends
partially on the Student field. Hence, the table is not in 2NF. To convert it into the 2nd
Normal Form, we will partition the tables into two while specifying a new Primary
Key attribute to identify the individual records in the Students table. The Foreign
Key constraint will be set on the other table to ensure referential integrity.

Students Table (2nd Normal Form)

Student_ID Student Address Salutation


1 Sara Amanora Park Town 94 Ms.
2 Ansh 62nd Sector A-10 Mr.
3 Sara 24th Street Park Avenue Mrs.
4 Ansh Windsor Street 777 Mr.

Books Table (2nd Normal Form)

Student_ID Book Issued


1 Until the Day I Die (Emily Carpenter)
1 Inception (Christopher Nolan)
2 The Alchemist (Paulo Coelho)
2 Inferno (Dan Brown)
3 Beautiful Bad (Annie Ward)
3 Woman 99 (Greer Macallister)
4 Dracula (Bram Stoker)

15
Example 2 - Consider the following dependencies in relation to R(W,X,Y,Z)

WX -> Y [W and X together determine Y]


XY -> Z [X and Y together determine Z]

Here, WX is the only candidate key and there is no partial dependency, i.e., any proper
subset of WX doesn’t determine any non-prime attribute in the relation.

 Third Normal Form

A relation is said to be in the third normal form, if it satisfies the conditions for the
second normal form and there is no transitive dependency between the non-prime
attributes, i.e., all non-prime attributes are determined only by the candidate keys of
the relation and not by any other non-prime attribute.

Example 1 - Consider the Students Table in the above example. As we can observe,
the Students Table in the 2NF form has a single candidate key Student_ID (primary
key) that can uniquely identify all records in the table. The field Salutation (non-prime
attribute), however, depends on the Student Field rather than the candidate key.
Hence, the table is not in 3NF. To convert it into the 3rd Normal Form, we will once
again partition the tables into two while specifying a new Foreign Key constraint to
identify the salutations for individual records in the Students table. The Primary
Key constraint for the same will be set on the Salutations table to identify each record
uniquely.

Students Table (3rd Normal Form)

Student_ID Student Address Salutation_ID


1 Sara Amanora Park Town 94 1
2 Ansh 62nd Sector A-10 2
3 Sara 24th Street Park Avenue 3
4 Ansh Windsor Street 777 1

Books Table (3rd Normal Form)

Student_ID Book Issued


1 Until the Day I Die (Emily Carpenter)
1 Inception (Christopher Nolan)
2 The Alchemist (Paulo Coelho)
2 Inferno (Dan Brown)
3 Beautiful Bad (Annie Ward)

16
Student_ID Book Issued
3 Woman 99 (Greer Macallister)
4 Dracula (Bram Stoker)

Salutations Table (3rd Normal Form)

Salutation_ID Salutation
1 Ms.
2 Mr.
3 Mrs.

Example 2 - Consider the following dependencies in relation to R(P,Q,R,S,T)

P -> QR [P together determine C]


RS -> T [B and C together determine D]
Q -> S
T -> P

For the above relation to exist in 3NF, all possible candidate keys in the above relation
should be {P, RS, QR, T}.

 Boyce-Codd Normal Form

A relation is in Boyce-Codd Normal Form if satisfies the conditions for third normal
form and for every functional dependency, Left-Hand-Side is super key. In other
words, a relation in BCNF has non-trivial functional dependencies in form X –> Y, such
that X is always a super key. For example - In the above example, Student_ID serves as
the sole unique identifier for the Students Table and Salutation_ID for the Salutations
Table, thus these tables exist in BCNF. The same cannot be said for the Books Table
and there can be several books with common Book Names and the same Student_ID.

30. What are the TRUNCATE, DELETE and DROP statements?

DELETE statement is used to delete rows from a table.

DELETE FROM Candidates


WHERE CandidateId > 1000;

TRUNCATE command is used to delete all the rows from the table and free the space
containing the table.

TRUNCATE TABLE Candidates;

17
DROP command is used to remove an object from the database. If you drop a table,
all the rows in the table are deleted and the table structure is removed from the
database.

DROP TABLE Candidates;

Write a SQL statement to wipe a table 'Temporary' from memory.

Write a SQL query to remove first 1000 records from table 'Temporary' based on 'id'.

Write a SQL statement to delete the table 'Temporary' while keeping its relations
intact.

31. What is the difference between DROP and TRUNCATE statements?

If a table is dropped, all things associated with the tables are dropped as well. This
includes - the relationships defined on the table with other tables, the integrity checks
and constraints, access privileges and other grants that the table has. To create and
use the table again in its original form, all these relations, checks, constraints,
privileges and relationships need to be redefined. However, if a table is truncated,
none of the above problems exist and the table retains its original structure.

32. What is the difference between DELETE and TRUNCATE statements?

The TRUNCATE command is used to delete all the rows from the table and free the
space containing the table.
The DELETE command deletes only the rows from the table based on the condition
given in the where clause or deletes all the rows from the table if no condition is
specified. But it does not free the space containing the table.

33. What are Aggregate and Scalar functions?

An aggregate function performs operations on a collection of values to return a single


scalar value. Aggregate functions are often used with the GROUP BY and HAVING

18
clauses of the SELECT statement. Following are the widely used SQL aggregate
functions:

 AVG() - Calculates the mean of a collection of values.


 COUNT() - Counts the total number of records in a specific table or view.
 MIN() - Calculates the minimum of a collection of values.
 MAX() - Calculates the maximum of a collection of values.
 SUM() - Calculates the sum of a collection of values.
 FIRST() - Fetches the first element in a collection of values.
 LAST() - Fetches the last element in a collection of values.

Note: All aggregate functions described above ignore NULL values except for the
COUNT function.

A scalar function returns a single value based on the input value. Following are the
widely used SQL scalar functions:

 LEN() - Calculates the total length of the given field (column).


 UCASE() - Converts a collection of string values to uppercase characters.
 LCASE() - Converts a collection of string values to lowercase characters.
 MID() - Extracts substrings from a collection of string values in a table.
 CONCAT() - Concatenates two or more strings.
 RAND() - Generates a random collection of numbers of a given length.
 ROUND() - Calculates the round-off integer value for a numeric field (or decimal point
values).
 NOW() - Returns the current date & time.
 FORMAT() - Sets the format to display a collection of values.

34. What is User-defined function? What are its various types?

The user-defined functions in SQL are like functions in any other programming
language that accept parameters, perform complex calculations, and return a value.
They are written to use the logic repetitively whenever required. There are two types of
SQL user-defined functions:

 Scalar Function: As explained earlier, user-defined scalar functions return a single


scalar value.
 Table-Valued Functions: User-defined table-valued functions return a table as output.
o Inline: returns a table data type based on a single SELECT statement.
o Multi-statement: returns a tabular result-set but, unlike inline, multiple SELECT
statements can be used inside the function body.

19
35. What is OLTP?

OLTP stands for Online Transaction Processing, is a class of software applications


capable of supporting transaction-oriented programs. An essential attribute of an
OLTP system is its ability to maintain concurrency. To avoid single points of failure,
OLTP systems are often decentralized. These systems are usually designed for a large
number of users who conduct short transactions. Database queries are usually simple,
require sub-second response times, and return relatively few records. Here is an
insight into the working of an OLTP system [ Note - The figure is not important for
interviews ] -

36. What are the differences between OLTP and OLAP?

OLTP stands for Online Transaction Processing, is a class of software applications


capable of supporting transaction-oriented programs. An important attribute of an
OLTP system is its ability to maintain concurrency. OLTP systems often follow a
decentralized architecture to avoid single points of failure. These systems are generally
designed for a large audience of end-users who conduct short transactions. Queries
involved in such databases are generally simple, need fast response times, and return
relatively few records. A number of transactions per second acts as an effective
measure for such systems.

20
OLAP stands for Online Analytical Processing, a class of software programs that are
characterized by the relatively low frequency of online transactions. Queries are often
too complex and involve a bunch of aggregations. For OLAP systems, the effectiveness
measure relies highly on response time. Such systems are widely used for data mining
or maintaining aggregated, historical data, usually in multi-dimensional schemas.

37. What is Collation? What are the different types of Collation


Sensitivity?

Collation refers to a set of rules that determine how data is sorted and compared.
Rules defining the correct character sequence are used to sort the character data. It
incorporates options for specifying case sensitivity, accent marks, kana character types,
and character width. Below are the different types of collation sensitivity:

 Case sensitivity: A and a are treated differently.


 Accent sensitivity: a and á are treated differently.
 Kana sensitivity: Japanese kana characters Hiragana and Katakana are treated
differently.
 Width sensitivity: Same character represented in single-byte (half-width) and double-
byte (full-width) are treated differently.

39. What is a Recursive Stored Procedure?

A stored procedure that calls itself until a boundary condition is reached, is called a
recursive stored procedure. This recursive function helps the programmers to deploy
the same set of code several times as and when required. Some SQL programming
21
languages limit the recursion depth to prevent an infinite loop of procedure calls from
causing a stack overflow, which slows down the system and may lead to system
crashes.

DELIMITER $$ /* Set a new delimiter => $$ */


CREATE PROCEDURE calctotal( /* Create the procedure */
IN number INT, /* Set Input and Ouput variables */
OUT total INT
) BEGIN
DECLARE score INT DEFAULT NULL; /* Set the default value => "score" */
SELECT awards FROM achievements /* Update "score" via SELECT query */
WHERE id = number INTO score;
IF score IS NULL THEN SET total = 0; /* Termination condition */
ELSE
CALL calctotal(number+1); /* Recursive call */
SET total = total + score; /* Action after recursion */
END IF;
END $$ /* End of procedure */
DELIMITER ; /* Reset the delimiter */

40. How to create empty tables with the same structure as another
table?

Creating empty tables with the same structure can be done smartly by fetching the
records of one table into a new table using the INTO operator while fixing a WHERE
clause to be false for all records. Hence, SQL prepares the new table with a duplicate
structure to accept the fetched records but since no records get fetched due to the
WHERE clause in action, nothing is inserted into the new table.

SELECT * INTO Students_copy


FROM Students WHERE 1 = 2;

41. What is Pattern Matching in SQL?

SQL pattern matching provides for pattern search in data if you have no clue as to
what that word should be. This kind of SQL query uses wildcards to match a string
pattern, rather than writing the exact word. The LIKE operator is used in conjunction
with SQL Wildcards to fetch the required information.

 Using the % wildcard to perform a simple search

The % wildcard matches zero or more characters of any type and can be used to
define wildcards both before and after the pattern. Search a student in your database
with first name beginning with the letter K:

SELECT *

22
FROM students
WHERE first_name LIKE 'K%'

 Omitting the patterns using the NOT keyword

Use the NOT keyword to select records that don't match the pattern. This query
returns all students whose first name does not begin with K.

SELECT *
FROM students
WHERE first_name NOT LIKE 'K%'

 Matching a pattern anywhere using the % wildcard twice

Search for a student in the database where he/she has a K in his/her first name.

SELECT *
FROM students
WHERE first_name LIKE '%Q%'

 Using the _ wildcard to match pattern at a specific position

The _ wildcard matches exactly one character of any type. It can be used in conjunction
with % wildcard. This query fetches all students with letter K at the third position in
their first name.

SELECT *
FROM students
WHERE first_name LIKE '__K%'

 Matching patterns for a specific length

The _ wildcard plays an important role as a limitation when it matches exactly one
character. It limits the length and position of the matched results. For example -

SELECT * /* Matches first names with three or more letters */


FROM students
WHERE first_name LIKE '___%'

SELECT * /* Matches first names with exactly four characters */


FROM students
WHERE first_name LIKE '____'

PostgreSQL Interview Questions


44. How will you change the datatype of a column?

23
This can be done by using the ALTER TABLE statement as shown below:

Syntax:

ALTER TABLE tname


ALTER COLUMN col_name [SET DATA] TYPE new_data_type;

49. What is the importance of the TRUNCATE statement?

TRUNCATE TABLE name_of_table statement removes the data efficiently and quickly
from the table.
The truncate statement can also be used to reset values of the identity columns along
with data cleanup as shown below:

TRUNCATE TABLE name_of_table


RESTART IDENTITY;

We can also use the statement for removing data from multiple tables all at once by
mentioning the table names separated by comma as shown below:

TRUNCATE TABLE
table_1,
table_2,
table_3;

51. Define sequence.

A sequence is a schema-bound, user-defined object which aids to generate a


sequence of integers. This is most commonly used to generate values to identity
columns in a table. We can create a sequence by using the CREATE
SEQUENCE statement as shown below:

CREATE SEQUENCE serial_num START 100;

To get the next number 101 from the sequence, we use the nextval() method as shown
below:

SELECT nextval('serial_num');

We can also use this sequence while inserting new records using the INSERT
command:

INSERT INTO ib_table_name VALUES (nextval('serial_num'), 'interviewbit');

55. What are ACID properties? Is PostgreSQL compliant with ACID?

24
ACID stands for Atomicity, Consistency, Isolation, Durability. They are database
transaction properties which are used for guaranteeing data validity in case of errors
and failures.

 Atomicity: This property ensures that the transaction is completed in all-or-nothing


way.
 Consistency: This ensures that updates made to the database is valid and follows rules
and restrictions.
 Isolation: This property ensures integrity of transaction that are visible to all other
transactions.
 Durability: This property ensures that the committed transactions are stored
permanently in the database.

PostgreSQL is compliant with ACID properties.

58. What do you understand by command enable-debug?

The command enable-debug is used for enabling the compilation of all libraries and
applications. When this is enabled, the system processes get hindered and generally
also increases the size of the binary file. Hence, it is not recommended to switch this
on in the production environment. This is most commonly used by developers to
debug the bugs in their scripts and help them spot the issues. For more information
regarding how to debug, you can refer here.

59. How do you check the rows affected as part of previous


transactions?

SQL standards state that the following three phenomena should be prevented whilst
concurrent transactions. SQL standards define 4 levels of transaction isolations to deal
with these phenomena.

 Dirty reads: If a transaction reads data that is written due to concurrent uncommitted
transaction, these reads are called dirty reads.
 Phantom reads: This occurs when two same queries when executed separately return
different rows. For example, if transaction A retrieves some set of rows matching
search criteria. Assume another transaction B retrieves new rows in addition to the
rows obtained earlier for the same search criteria. The results are different.
 Non-repeatable reads: This occurs when a transaction tries to read the same row
multiple times and gets different values each time due to concurrency. This happens
when another transaction updates that data and our current transaction fetches that
updated data, resulting in different values.

25
To tackle these, there are 4 standard isolation levels defined by SQL standards. They
are as follows:

 Read Uncommitted – The lowest level of the isolations. Here, the transactions are not
isolated and can read data that are not committed by other transactions resulting in
dirty reads.
 Read Committed – This level ensures that the data read is committed at any instant of
read time. Hence, dirty reads are avoided here. This level makes use of read/write lock
on the current rows which prevents read/write/update/delete of that row when the
current transaction is being operated on.
 Repeatable Read – The most restrictive level of isolation. This holds read and write
locks for all rows it operates on. Due to this, non-repeatable reads are avoided as
other transactions cannot read, write, update or delete the rows.
 Serializable – The highest of all isolation levels. This guarantees that the execution is
serializable where execution of any concurrent operations are guaranteed to be
appeared as executing serially.

The following table clearly explains which type of unwanted reads the levels avoid:

Isolation levels Dirty Reads Phantom Reads Non-repeatable reads


Read Uncommitted Might occur Might occur Might occur
Read Committed Won’t occur Might occur Might occur
Repeatable Read Won’t occur Might occur Won’t occur
Serializable Won’t occur Won’t occur Won’t occur

60. What can you tell about WAL (Write Ahead Logging)?

Write Ahead Logging is a feature that increases the database reliability by logging
changes before any changes are done to the database. This ensures that we have
enough information when a database crash occurs by helping to pinpoint to what
point the work has been complete and gives a starting point from the point where it
was discontinued.

For more information, you can refer here.

61. What is the main disadvantage of deleting data from an existing


table using the DROP TABLE command?

DROP TABLE command deletes complete data from the table along with removing the
complete table structure too. In case our requirement entails just remove the data,

26
then we would need to recreate the table to store data in it. In such cases, it is advised
to use the TRUNCATE command.

66. Differentiate between commit and checkpoint.

The commit action ensures that the data consistency of the transaction is maintained
and it ends the current transaction in the section. Commit adds a new record in the log
that describes the COMMIT to the memory. Whereas, a checkpoint is used for writing
all changes that were committed to disk up to SCN which would be kept in datafile
headers and control files.

PL/SQL Basic Interview Questions


1. What are the features of PL/SQL?

Following are the features of PL/SQL:

 PL/SQL provides the feature of decision making, looping, and branching by making
use of its procedural nature.
 Multiple queries can be processed in one block by making use of a single command
using PL/SQL.
 The PL/SQL code can be reused by applications as they can be grouped and stored in
databases as PL/SQL units like functions, procedures, packages, triggers, and types.
 PL/SQL supports exception handling by making use of an exception handling block.
 Along with exception handling, PL/SQL also supports error checking and validation of
data before data manipulation.
 Applications developed using PL/SQL are portable across computer hardware or
operating system where there is an Oracle engine.

2. What do you understand by PL/SQL table?

 PL/SQL tables are nothing but objects of type tables that are modeled as database
tables. They are a way to provide arrays that are nothing but temporary tables in
memory for faster processing.
 These tables are useful for moving bulk data thereby simplifying the process.

3. Explain the basic structure followed in PL/SQL?

27
 The basic structure of PL/SQL follows the BLOCK structure. Each PL/SQL code
comprises SQL and PL/SQL statement that constitutes a PL/SQL block.
 Each PL/SQL block consists of 3 sections:
o The optional Declaration Section
o The mandatory Execution Section
o The optional Exception handling Section

[DECLARE]
--declaration statements (optional)
BEGIN
--execution statements
[EXCEPTION]
--exception handling statements (optional)
END;

4. What is a PL/SQL cursor?

 A PL/SQL cursor is nothing but a pointer to an area of memory having SQL statements
and the information of statement processing. This memory area is called a context
area. This special area makes use of a special feature called cursor for the purpose of
retrieving and processing more than one row.
 In short, the cursor selects multiple rows from the database and these selected rows
are individually processed within a program.
 There are two types of cursors:
o Implicit Cursor:
 Oracle automatically creates a cursor while running any of the commands - SELECT
INTO, INSERT, DELETE or UPDATE implicitly.
 The execution cycle of these cursors is internally handled by Oracle and returns the
information and status of the cursor by making use of the cursor attributes-
ROWCOUNT, ISOPEN, FOUND, NOTFOUND.
o Explicit Cursor:
 This cursor is a SELECT statement that was declared explicitly in the declaration block.
 The programmer has to control the execution cycle of these cursors starting from
OPEN to FETCH and close.
 The execution cycle while executing the SQL statement is defined by Oracle along with
associating a cursor with it.
 Explicit Cursor Execution Cycle:
o Due to the flexibility of defining our own execution cycle, explicit cursors are used in
many instances. The following diagram represents the execution flow of an explicit
cursor:

 Cursor Declaration:
o The first step to use an explicit cursor is its declaration.

28
o Declaration can be done in a package or a block.
o Syntax: CURSOR cursor_name IS query; where cursor_name is the name of the cursor,
the query is the query to fetch data from any table.
 Open Cursor:
o Before the process of fetching rows from cursor, the cursor has to be opened.
o Syntax to open a cursor: OPEN cursor_name;
o When the cursor is opened, the query and the bind variables are parsed by Oracle and
the SQL statements are executed.
o The execution plan is determined by Oracle and the result set is determined after
associating the cursor parameters and host variables and post these, the cursor is set
to point at the first row of the result set.
 Fetch from cursor:
o FETCH statement is used to place the content of the current row into variables.
o Syntax: FETCH cursor_name INTO variable_list;
o In order to get all the rows of a result set, each row needs to be fetched.
 Close Cursor:
o Once all the rows are fetched, the cursor needs to be closed using the CLOSE
statement.
o Syntax: CLOSE cursor_name;
o The instructions tell Oracle to release the memory allocated to the cursor.
 Cursors declared in procedures or anonymous blocks are by default closed post their
execution.
 Cursors declared in packages need to be closed explicitly as the scope is global.
 Closing a cursor that is not opened will result in INVALID_CURSOR exception.

5. What is the use of WHERE CURRENT OF in cursors?

 We use this clause while referencing the current row from an explicit cursor. This
clause allows applying updates and deletion of the row currently under consideration
without explicitly referencing the row ID.
 Syntax:
UPDATE table_name SET field=new_value WHERE CURRENT OF cursor_name

6. How can a name be assigned to an unnamed PL/SQL Exception Block?

 This can be done by using Pragma called EXCEPTION_INIT.


 This gives the flexibility to the programmer to instruct the compiler to provide custom
error messages based on the business logic by overriding the pre-defined messages
during the compilation time.
 Syntax:

29
DECLARE
exception_name EXCEPTION;
PRAGMA EXCEPTION_INIT (exception_name, error_code);
BEGIN
// PL/SQL Logic
EXCEPTION
WHEN exception_name THEN
// Steps to handle exception
END;

7. What is a Trigger? Name some instances when “Triggers” can be used.

 As the name indicates, ‘Trigger’ means to ‘activate’ something. In the case of PL/SQL, a
trigger is a stored procedure that specifies what action has to be taken by the
database when an event related to the database is performed.

 Syntax:

TRIGGER trigger_name
trigger_event
[ restrictions ]
BEGIN
actions_of_trigger;
END;

In the above syntax, if the trigger_name the trigger is in the enabled state,
the trigger_event causes the database to fire actions_of_trigger if
the restrictions are TRUE or unavailable.

 They are mainly used in the following scenarios:


o In order to maintain complex integrity constraints.
o For the purpose of auditing any table information.
o Whenever changes are done to a table, if we need to signal other actions upon
completion of the change, then we use triggers.
o In order to enforce complex rules of business.
o It can also be used to prevent invalid transactions.
 You can refer https://docs.oracle.com/database/121/TDDDG/tdddg_triggers.htm for
more information regarding triggers.

8. When does a DECLARE block become mandatory?

30
 This statement is used by anonymous blocks of PL/SQL such as non-stored and stand-
alone procedures. When they are being used, the statement should come first in the
stand-alone file.

9. How do you write comments in a PL/SQL code?

 Comments are those sentences that have no effect on the functionality and are used
for the purpose of enhancing the readability of the code. They are of two types:
o Single Line Comment: This can be created by using the symbol -- and writing what
we want to mention as a comment next to it.
o Multi-Line comment: These are the comments that can be specified over multiple
lines and the syntax goes like /* comment information */
 Example:

SET SERVEROUTPUT ON;


DECLARE

-- Hi There! I am a single line comment.


var_name varchar2(40) := 'I love PL/SQL' ;
BEGIN
/*
Hi! I am a multi line
comment. I span across
multiple lines
*/
dbms_output.put_line(var_name);
END;
/
Output:
I love PL/SQL

10. What is the purpose of WHEN clause in the trigger?

 WHEN clause specifies for what condition the trigger has to be triggered.

PL/SQL Intermediate Interview Questions


11. Can you explain the PL/SQL execution architecture?

The PL/SQL engine does the process of compilation and execution of the PL/SQL
blocks and programs and can only work if it is installed on an Oracle server or any
application tool that supports Oracle such as Oracle Forms.

 PL/SQL is one of the parts of Oracle RDBMS, and it is important to know that most of
the Oracle applications are developed using the client-server architecture. The Oracle

31
database forms the server-side and requests to the database form a part of the client-
side.
 So based on the above fact and the fact that PL/SQL is not a standalone programming
language, we must realize that the PL/SQL engine can reside in either the client
environment or the server environment. This makes it easy to move PL/SQL modules
and sub-programs between server-side and client-side applications.
 Based on the architecture shown below, we can understand that PL/SQL engine plays
an important role in the process and execute the PL/SQL statements and whenever it
encounters the SQL statements, they are sent to the SQL Statement Processor.

 Case 1: PL/SQL engine is on the server: In this case, the whole PL/SQL block gets
passed to the PL/SQL engine present on the Oracle server which is then processed and
the response is sent.
 Case 2: PL/SQL engine is on the client: Here the engine lies within the Oracle
Developer tools and the processing of the PL/SQL statements is done on the client-
side.
o In case, there are any SQL statements in the PL/SQL block, then they are sent to the
Oracle server for SQL processing.
o When there are no SQL statements, then the whole block processing occurs at the
client-side.

12. Why is SYSDATE and USER keywords used?

 SYSDATE:
o This keyword returns the current time and date on the local database server.
o The syntax is SYSDATE.
o In order to extract part of the date, we use the TO_CHAR function on SYSDATE and
specify the format we need.
o Usage:
 SELECT SYSDATE FROM dual;
 SELECT id, TO_CHAR(SYSDATE, 'yyyy/mm/dd') from InterviewBitEmployeeTable
where customer_id < 200;
 USER:
o This keyword returns the user id of the current session.
o Usage:
 SELECT USER FROM dual;

13. Differentiate between implicit cursor and explicit cursor.

32
Implicit Cursor Explicit Cursor
When a subquery returns more than one row, an
An implicit cursor is used when a
explicit cursor is used. These rows are called
query returns a single row value.
Active Set.
This is used for all DML operations This is used to process Multirow SELECT
like DECLARE, OPEN, FETCH, CLOSE. Statements.
NO_DATA_FOUND Exception is
NO_DATA_FOUND cannot be handled here.
handled here.

14. Differentiate between SQL and PL/SQL.

SQL PL/SQL
SQL is a natural language meant for the
PL/SQL is a procedural extension of SQL.
interactive processing of data in the database.
PL/SQL supports all features of
Decision-making and looping are not allowed
procedural language such as conditional
in SQL.
and looping statements.
All SQL statements are executed at a time by PL/SQL statements are executed one
the database server which is why it becomes a block at a time thereby reducing the
time-consuming process. network traffic.
This supports an error handling
There is no error handling mechanism in SQL.
mechanism.

15. What is the importance of %TYPE and %ROWTYPE data types in


PL/SQL?

 %TYPE: This declaration is used for the purpose of anchoring by providing the data
type of any variable, column, or constant. It is useful during the declaration of a
variable that has the same data type as that of its table column.
o Consider the example of declaring a variable named ib_employeeid which has the data
type and its size same as that of the column employeeid in table ib_employee.
The syntax would be : ib_employeeid ib_employee.employeeid%TYPE;
 %ROWTYPE: This is used for declaring a variable that has the same data type and size
as that of a row in the table. The row of a table is called a record and its fields would
have the same data types and names as the columns defined in the table.
o For example: In order to declare a record named ib_emprecord for storing an entire
row in a table called ib_employee, the syntax is:
ib_emprecord ib_employee%ROWTYPE;

33
16. What are the various functions available for manipulating the
character data?

 The functions that are used for manipulating the character data are called String
Functions.
o LEFT: This function returns the specified number of characters from the left part of a
string.
 Syntax: LEFT(string_value, numberOfCharacters).
 For example, LEFT(‘InterviewBit’, 9) will return ‘Interview’.
o RIGHT: This function returns the defined number of characters from the right part of a
string.
 Syntax: RIGHT(string_value, numberOfCharacters)
 For example, RIGHT(‘InterviewBit’,3) would return ‘Bit’.
o SUBSTRING: This function would select the data from a specified start position
through the number of characters defined from any part of the string.
 Syntax: SUBSTRING(string_value, start_position, numberOfCharacters)
 For example, SUBSTRING(‘InterviewBit’,2,4) would return ‘terv’.
o LTRIM: This function would trim all the white spaces on the left part of the string.
 Syntax: LTRIM(string_value)
 For example, LTRIM(’ InterviewBit’) will return ‘InterviewBit’.
o RTRIM: This function would trim all the white spaces on the right part of the string.
 Syntax: RTRIM(string_value)
 For example, RTRIM('InterviewBit ') will return ‘InterviewBit’.
o UPPER: This function is used for converting all the characters to the upper case in a
string.
 Syntax: UPPER(string_variable)
 For example, UPPER(‘interviewBit’) would return ‘INTERVIEWBIT’.
o LOWER: This function is used for converting all the characters of a string to lowercase.
 Syntax: LOWER(string_variable)
 For example, LOWER(‘INterviewBit’) would return ‘interviewbit’.

17. What is the difference between ROLLBACK and ROLLBACK TO


statements in PL/SQL?

 ROLLBACK command is used for rolling back all the changes from the beginning of
the transaction.
 ROLLBACK TO command is used for undoing the transaction only till a SAVEPOINT.
The transactions cannot be rolled back before the SAVEPOINT and hence the
transaction remains active even before the command is specified.

34
18. What is the use of SYS.ALL_DEPENDENCIES?

 SYS.ALL_DEPENDENCIES is used for describing all the dependencies between


procedures, packages, triggers, functions that are accessible to the current user. It
returns the columns like name, dependency_type, type, referenced_owner etc.

19. What are the virtual tables available during the execution of the
database trigger?

 The THEN and NOW tables are the virtual tables that are available during the database
trigger execution. The table columns are referred to as THEN.column and
NOW.column respectively.
 Only the NOW.column is available for insert-related triggers.
 Only the THEN.column values are available for the DELETE-related triggers.
 Both the virtual table columns are available for UPDATE triggers.

20. Differentiate between the cursors declared in procedures and the


cursors declared in the package specifications.

 The cursors that are declared in the procedures will have the local scope and hence
they cannot be used by other procedures.
 The cursors that are declared in package specifications are treated with global scope
and hence they can be used and accessed by other procedures.

PL/SQL Advanced Interview Questions


21. What are COMMIT, ROLLBACK and SAVEPOINT statements in
PL/SQL?

 These are the three transaction specifications that are available in PL/SQL.
 COMMIT: Whenever any DML operations are performed, the data gets manipulated
only in the database buffer and not the actual database. In order to save these DML
transactions to the database, there is a need to COMMIT these transactions.
o COMMIT transaction action does saving of all the outstanding changes since the last
commit and the below steps take place:
 The release of affected rows.
 The transaction is marked as complete.
 The details of the transaction would be stored in the data dictionary.
o Syntax: COMMIT;

35
 ROLLBACK: In order to undo or erase the changes that were done in the current
transaction, the changes need to be rolled back. ROLLBACK statement erases all the
changes since the last COMMIT.
o Syntax: ROLLBACK;
 SAVEPOINT: This statement gives the name and defines a point in the current
transaction process where any changes occurring before that SAVEPOINT would be
preserved whereas all the changes after that point would be released.
o Syntax: SAVEPOINT <savepoint_name>;

22. How can you debug your PL/SQL code?

 We can use DBMS_OUTPUT and DBMS_DEBUG statements for debugging our code:
o DBMS_OUTPUT prints the output to the standard console.
o DBMS_DEBUG prints the output to the log file.

23. What is the difference between a mutating table and a constraining


table?

 A table that is being modified by the usage of the DML statement currently is known
as a mutating table. It can also be a table that has triggers defined on it.
 A table used for reading for the purpose of referential integrity constraint is called a
constraining table.

24. In what cursor attributes the outcomes of DML statement execution


are saved?

 The outcomes of the execution of the DML statement is saved in the following 4 cursor
attributes:
o SQL%FOUND: This returns TRUE if at least one row has been processed.
o SQL%NOTFOUND: This returns TRUE if no rows were processed.
o SQL%ISOPEN: This checks whether the cursor is open or not and returns TRUE if open.
o SQL%ROWCOUNT: This returns the number of rows processed by the DML statement.

25. Is it possible to declare column which has the number data type and
its scale larger than the precision? For example defining columns like:
column name NUMBER (10,100), column name NUMBER (10,-84)

 Yes, these type of declarations are possible.


 Number (9, 12) indicates that there are 12 digits after decimal point. But since the
maximum precision is 9, the rest are 0 padded like 0.000999999999.

36
 Number (9, -12) indicates there are 21 digits before the decimal point and out of that
there are 9 possible digits and the rest are 0 padded like 999999999000000000000.0

PL/SQL Programs
26. Write a PL/SQL program using WHILE loop for calculating the
average of the numbers entered by user. Stop the entry of numbers
whenever the user enters the number 0.
DECLARE
n NUMBER;
average NUMBER :=0 ;
sum NUMBER :=0 ;
count NUMBER :=0 ;
BEGIN
-- Take input from user
n := &input_number;
WHILE(n<>0)
LOOP
-- Increment count to find total elements
count := count+1;
-- Sum of elements entered
sum := sum+n;
-- Take input from user
n := &input_number;
END LOOP;
-- Average calculation
average := sum/count;
DBMS_OUTPUT.PUT_LINE(‘Average of entered numbers is ’||average);
END;

27. Write a PL/SQL procedure for selecting some records from the
database using some parameters as filters.

 Consider that we are fetching details of employees from ib_employee table where
salary is a parameter for filter.

CREATE PROCEDURE get_employee_details @salary nvarchar(30)


AS
BEGIN
SELECT * FROM ib_employee WHERE salary = @salary;
END;

28. Write a PL/SQL code to count the number of Sundays between the
two inputted dates.
--declare 2 dates of type Date
DECLARE

37
start_date Date;
end_date Date;
sundays_count Number:=0;
BEGIN
-- input 2 dates
start_date:='&input_start_date';
end_date:='&input_end_date';
/*
Returns the date of the first day after the mentioned date
and matching the day specified in second parameter.
*/
start_date:=NEXT_DAY(start_date-1, 'SUNDAY');
--check the condition of dates by using while loop.
while(start_date<=end_date)
LOOP
sundays_count:=sundays_count+1;
start_date:=start_date+7;
END LOOP;

-- print the count of sundays


dbms_output.put_line('Total number of Sundays between the two dates:'||
sundays_count);
END;
/

Input:
start_date = ‘01-SEP-19’
end_date = ‘29-SEP-19’

Output:
Total number of Sundays between the two dates: 5

29. Write PL/SQL code block to increment the employee’s salary by 1000
whose employee_id is 102 from the given table below.

EMPLOYEE_ FIRST_NA LAST_NA EMAIL_I PHONE_NUM JOIN_DA SALAR


JOB_ID
ID ME ME D BER TE Y
2020-06- AD_PR 24000.0
100 ABC DEF abef 9876543210
06 ES 0
2021-02- 17000.0
101 GHI JKL ghkl 9876543211 AD_VP
08 0
2016-05- 17000.0
102 MNO PQR mnqr 9876543212 AD_VP
14 0
2019-06- IT_PRO
103 STU VWX stwx 9876543213 9000.00
24 G
DECLARE
employee_salary NUMBER(8,2);

38
PROCEDURE update_salary (
emp NUMBER,
salary IN OUT NUMBER
) IS
BEGIN
salary := salary + 1000;
END;

BEGIN
SELECT salary INTO employee_salary
FROM ib_employee
WHERE employee_id = 102;

DBMS_OUTPUT.PUT_LINE
('Before update_salary procedure, salary is: ' || employee_salary);

update_salary (100, employee_salary);

DBMS_OUTPUT.PUT_LINE
('After update_salary procedure, salary is: ' || employee_salary);
END;
/

Result:

Before update_salary procedure, salary is: 17000


After update_salary procedure, salary is: 18000

30. Write a PL/SQL code to find whether a given string is palindrome or


not.
DECLARE
-- Declared variables string, letter, reverse_string where string is the
original string.
string VARCHAR2(10) := 'abccba';
letter VARCHAR2(20);
reverse_string VARCHAR2(10);
BEGIN
FOR i IN REVERSE 1..LENGTH(string) LOOP
letter := SUBSTR(string, i, 1);
-- concatenate letter to reverse_string variable
reverse_string := reverse_string ||''||letter;
END LOOP;
IF reverse_string = string THEN
dbms_output.Put_line(reverse_string||''||' is palindrome');
ELSE
dbms_output.Put_line(reverse_string ||'' ||' is not palindrome');
END IF;
END;

31. Write PL/SQL program to convert each digit of a given number into
its corresponding word format.

39
DECLARE
-- declare necessary variables
-- num represents the given number
-- number_to_word represents the word format of the number
-- str, len and digit are the intermediate variables used for program
execution
num INTEGER;
number_to_word VARCHAR2(100);
digit_str VARCHAR2(100);
len INTEGER;
digit INTEGER;
BEGIN
num := 123456;
len := LENGTH(num);
dbms_output.PUT_LINE('Input: ' ||num);
-- Iterate through the number one by one
FOR i IN 1..len LOOP
digit := SUBSTR(num, i, 1);
-- Using DECODE, get the str representation of the digit
SELECT Decode(digit, 0, 'Zero ',
1, 'One ',
2, 'Two ',
3, 'Three ',
4, 'Four ',
5, 'Five ',
6, 'Six ',
7, 'Seven ',
8, 'Eight ',
9, 'Nine ')
INTO digit_str
FROM dual;
-- Append the str representation of digit to final result.
number_to_word := number_to_word || digit_str;
END LOOP;
dbms_output.PUT_LINE('Output: ' ||number_to_word);
END;

Input: 12345
Output: One Two Three Four Five

32. Write PL/SQL program to find the sum of digits of a number.


DECLARE
--Declare variables num, sum_of_digits and remainder of datatype Integer
num INTEGER;
sum_of_digits INTEGER;
remainder INTEGER;
BEGIN
num := 123456;
sum_of_digits := 0;
-- Find the sum of digits until original number doesnt become null
WHILE num <> 0 LOOP
remainder := MOD(num, 10);
sum_of_digits := sum_of_digits + remainder;
num := TRUNC(num / 10);

40
END LOOP;
dbms_output.PUT_LINE('Sum of digits is '|| sum_of_digits);
END;

Input: 9874
Output: 28

PL/SQL Conclusion
33. PL SQL Interview

1. What is SQL Server?


SQL Server is a relational database management system. It provides the
functionality of storing and retrieving data to applications. Microsoft
developed SQL Server on April 24, 1989. There are several editions of SQL
Server serving different audiences.

2. Which TCP/IP port does SQL Server run on?


By default SQL Server runs on port 1433. We can configure the server to
listen to a specific port. This can be done by changing the TCP/IP
properties from configuration-box in SQL Server.

3. Describe the different index configurations


possible for a table?
Different index configurations possible for a table are:
1. A clustered index:
When only a single clustered index is present.
2. A non-clustered index:
When only a single non-clustered index is present.
3. Many non-clustered indexes:
When more than one non-clustered indexes is present.
4. A clustered index and a non-clustered index:
When a single clustered index and a single non-clustered index is present.
5. A clustered index and many non-clustered indexes:
When a single clustered index and more than one non-clustered indexes
are present.

41
6. No index:
When there are no indexes present.

4. What is the difference between clustered


and non-clustered index?
Indexing is a way of optimizing database query time. It helps in quickly
locating and accessing the data in the database. It avoids full table
scans.

Difference Between Clustered and Non-Clustered Index

Clustered Index Non-Clustered Index


This is an index structure that is
separate from the actual table which
sorts one or more selected columns.
Think of it as another table with few
columns sorted together. For example, if
It physically sorts the you have a phone_book table where it is
rows of a table based on sorted by the name of a person and you
the primary key or on a want to know the count of people living
column that is unique in a specific country. What you’ll do?
and not null (generally You’ll make another table with columns
we use primary key). ‘country’ and ‘count_of_people’ which is
sorted by the country name. Now finding
the number of people in a given country
will be much faster otherwise you will
have to do the full table scan to get the
answer. This is a non-clustered index.
Querying data is faster when there is no
index in a table. A scenario where it can
Querying data is fast. A be used is when you want to find no. of
typical use case can be people from a particular country in the
where there are range- phonebook. Even if the phonebook is
based queries on the sorted by name, you would like to have
primary key. some kind of mapping of country with no.
of people living there for a faster answer
to such queries.
There can only be one There can be many non-clustered indexes
clustered index per per table.

42
table.
It doesn’t need extra It requires extra space to store those
disk space. indexes.
It is faster than the non- It is slower than the clustered index in
clustered index. terms of SELECT queries.
Updation and Insertion
are slow as the sorted
order has to be
maintained (can be Updation and Insertion are slow as the
faster when insertion sorted order has to be maintained.
always happens at the
last, e.g.: Index on ID
col).

5. What are the two authentication modes in


SQL Server?
Authentication means identifying a user based on its username and
password.
Two authentication modes on SQL Server are
1. Windows Authentication:
It is the default authentication mode in SQL Server. Trusted user and
group accounts are authenticated when they login to the system. They do
not have to present any additional credentials.
2. Mixed Authentication:
It supports Windows authentication as well as SQL Server authentication.
Windows authentication is the same as above. SQL Server maintains a
username and password for authentication of valid users.
You can choose an authentication mode by changing Server
Authentication on Security page in Properties of SQL Server Management
Studio.

6. What part does database design have to play


in the performance of the SQL Server-based
application?

43
Database design plays a vital role in the performance of SQL Server-based
applications. Generally, when data is less, people do not care about
database design. As when data is less there aren’t any noticeable
performance issues because of bad database design. When data grows,
there will be noticeable performance issues because of data redundancy.
This is where normalization of the database comes into play. Right design
principles ensure better performance at the later stage of software
development. There will not be much redundant data. This will lead to
reduced storage space. Also, it will reduce overhead to maintain
consistency in the database.

7. What is a function in SQL Server?


Functions are part of SQL. A function in SQL Server is a group of
statements that might take input, perform some task and return a result.
There are two types of function in SQL Server:
 System Defined Function:
These functions are built-in ready-to-use and provided by SQL Server.
Pass in input parameters if it takes one and get the result.
Example: Below code show min, max, and sum of ‘salary’ column values
from ‘employee’ table
SELECT MIN(salary) AS MinSalary, MAX(salary) AS MaxSalary, SUM(salary)
AS TotalSalary
FROM employee
 User Defined Function:
These are the functions that are written by users.
CREATE FUNCTION getAverageSalary(@salary int)
RETURNS int
AS
BEGIN RETURN(SELECT @salary)
END
Q => Write a SQL statement to get the average 'salary' as 'avg_salary' from the table
'employees'.

8. What is CHECK constraint?


CHECK constraint is applied to any column to limit the values that can be
placed in it. It helps to enforce integrity in the database.
Suppose, your website caters to users between age 18 and 60 years. You

44
can use CHECK to ensure that users who are creating an account have
age in that range.

CREATE TABLE Users (


id int NOT NULL,
first_name varchar(255) NOT NULL,
last_name varchar(255) NOT NULL,
age int CHECK (age >= 18 AND age <= 60)
);

Q => Write a SQL statement create a table 'students' with column 'id' of type 'int' and
'date_of_birth' where 'date_of_birth' should not be less than 2000 and not more than 2010. of
type 'int'. 'id' should not be null.

9. What is a trigger in SQL Server?


The trigger is a special type of stored procedure. It gets invoked
automatically when an event like INSERT, UPDATE, DELETE, etc. happens
on the database server. You can use it, for example, to enforce referential
integrity in the database. Suppose you want to delete an author from the
‘authors’ table. You can use triggers to delete all rows in the ‘books’ table
which has ‘author_id’ as of the deleted author.
Types of triggers:
 DML trigger:
DML trigger gets fired whenever a user tries to manipulate data using
DML(Data Manipulation Language) event on the database server. DML
events are INSERT, DELETE, or UPDATE.
 DDL trigger:
DDL trigger gets fired whenever a user tries to manipulate data using
DDL(Data Definition Language) event on the database server. DDL events
are CREATE, ALTER, DROP, etc.
 Logon trigger:
Logon trigger gets fired when a LOGON event is raised whenever a user’s
session is created.
CREATE [OR REPLACE ] TRIGGER trigger_name
{BEFORE | AFTER | INSTEAD OF }
{INSERT | UPDATE | DELETE}
[OF col_name]
ON table_name
[REFERENCING OLD AS o NEW AS n]

45
[FOR EACH ROW]
WHEN (condition)
DECLARE
Declaration-statements
BEGIN
Executable-statements
EXCEPTION
Exception-handling-statements
END;

10. What are the differences between local and


global temporary tables?
Temporary tables are the tables that ephemeral in nature. Temporary
tables are useful when we want to work with a small subset of records
from a large table. Instead of filtering records, again and again, we can
store that small subset of records in a temporary table. We can perform
our queries on it.

Difference Between Local and Global Temporary Tables

Local Temporary Tables Global Temporary Tables


Local temporary tables are Global temporary tables are
only visible to that session of visible to all SQL Server
SQL Server that has created it. sessions.
Global temporary tables are
Local temporary tables are
dropped when the last session of
automatically dropped when
SQL Server referencing to the
the session of the SQL Server
global temporary tables is
that has created it is closed.
closed.
Local temporary tables are Global temporary tables are
prefixed with a single pound ‘#’ prefixed with double pounds ‘##’
symbol. symbol.
SQL Server appends some
SQL Server doesn’t append any
random numbers at the end of
random numbers at the end of
the local temporary table
the global temporary table name.
name.

11. What is the SQL Server Agent?

46
SQL Server Agent is a background tool for Microsoft SQL Server. It helps
the database administrator(DBA) to schedule a job to run after a specific
interval of time. These tasks can be scheduling backups, handling
reporting services subscription or log-shipping tasks.

12. What are the different types of backups


available in SQL Server?
Suppose your server is running fine. Your application is booming all over
the internet. Then, due to short-circuiting your servers went on fire. Now,
all the data is gone and there’s nothing to show. Scary? It should be. This
is the reason we always want to back up our data. So that in case of any
disaster like hardware or software failure there will not be any data loss.
There are several types of backup options.
 Full backup:
This backup includes all database objects, system tables, and data.
Transactions that occur during the backup are also recorded.
 Transaction log backup:
This backup records the transactions since the previous backup. Previous
backup can be transaction log backup or full backup (whichever
happened last). It then truncates the transaction log. Transaction log
backup represents the state of the transaction log at the time the backup
is initiated rather than at the time the backup completes. Transaction log
backup functions incrementally rather than differentially. When restoring
transaction log backup, you must restore in the sequence of transaction
log backups.
 Differential backup:
This backup backs the data that has been altered since the last full
backup. Differential backup requires less time than a full database
backup. Differential backups record transactions that occur during the
differential backup process.

13. What are the scheduled tasks in SQL


Server?
Scheduled tasks in SQL Server are predefined steps or tasks. SQL Server
Agent automates these tasks. It executes them sequentially and at a
scheduled time.

47
14. What is COALESCE in SQL Server?
In SQL Server, COALESCE function returns the first non-null value from a
list. If all the values evaluate to null then it will also return null.
SELECT COALESCE(NULL, 2, 1, 3) /* OUTPUT: 2 */
Q => What will the following SQL statement return? "SELECT COALESCE(NULL, 4,
NULL, 5)"

15. How exceptions are handled in SQL Server


programming?
Exceptions in SQL Server are handled using the try and catch block.
BEGIN TRY
--code which might raise exception
END TRY
BEGIN CATCH
--code to run if error occurs in try block
END CATCH
Try block contains the code which might raise exception. Catch block
contains the code which runs in case an exception occurs in the try
block.
BEGIN TRY
--divide-by-zero error
SELECT 5 / 0 AS Error;
END TRY
BEGIN CATCH
SELECT
ERROR_NUMBER() AS ErrorNumber,
ERROR_STATE() AS ErrorState,
ERROR_SEVERITY() AS ErrorSeverity,
ERROR_PROCEDURE() AS ErrorProcedure,
ERROR_LINE() AS ErrorLine,
ERROR_MESSAGE() AS ErrorMessage;
END CATCH;
The above code raises divide-by-zero error and handles it in the catch
block. There are some special functions which are only usable inside the
catch block. Outside the catch block they return NULL.
These functions are:

48
 ERROR_NUMBER(): As the name says, it returns the error number.
 ERROR_STATE(): It returns the state number of the error.
 ERROR_SEVERITY(): This function returns the severity value of the error.
 ERROR_PROCEDURE(): It returns the name of the stored procedure or
function in which the error has occurred.
 ERROR_LINE(): Returns the line number at which the error has occurred.
 ERROR_MESSAGE(): Returns the message about the error.

16. What is the reporting services in SQL


Server?
SQL Server Reporting Services(SSRS) is a set of tools that helps in
generating reports. Businesses can use it for getting visual insights into
data.
A common use case can be a shopping store. The owner of the store
might want to see how the sales of different products are performing. The
owner might also want to see the performances in a particular quarter of
a year. What could be better than a beautiful and detailed visualization for
this? SSRS does that exact thing. It will help us visualize data, meeting
our requirements. We can see charts, graphs, and whatnot.

17. What is log shipping?


Log shipping is a process in which we automate the back-up process of
transaction log files. We back-up the files from a primary database server
to a secondary(stand by) database server.
To set up the log shipping process you must have sysadmin rights on the
server.
Log shipping helps in mitigating the risk of disasters. In case of a disaster
like a production server failure, we can use the secondary server.

18. What is the master data services in SQL


Server?
SQL Server Master Data Services is a product made by Microsoft to
develop the Master Data Management(MDM) solutions. It is built on top of
SQL Server for backend processing.
The possibility of inconsistency in the database gives rise to the need for
Master Data Management. It becomes especially important when there is
a huge amount of data.
Consider a scenario, there is a Credit Card company which maintains a

49
database. There is a table “Customer” which has the “Address” attribute.
There is another table “Bills” which also has the “Address” attribute for a
customer. Now suppose a customer moves to a different location and
changes his address immediately. It gets updated in the “Customer” table
but not in the “Bills” table. Now, this is a disaster as all the bills of this
particular customer will be sent to the wrong address.
The disaster can be avoided by setting up a master customer data. All the
tables would reference there for use. This way there will not be any
inconsistency and extra memory consumption.

19. What are Hotfixes and Patches in SQL


Server?
Hotfixes in SQL Server are the updates to fix issues which are not
released publicly.
Patches in SQL Server are the updates to fix known issues or bugs.
Microsoft releases patches publicly.

20. What are the Magic Tables in SQL Server?


There are two magic tables in SQL Server: "inserted" and "deleted".
These tables are called magic tables because they do not exist
physically.
"inserted" table stores the data of last inserted row or “insert
operation”. "deleted" table stores the data of last deleted row or “delete
operation”.
Note: An update operation is actually a delete operation + an insert
operation i.e., old data is deleted and new data is inserted.
For the sake of example, we assume there is a table with name Employee
and columns ‘ID’ and ‘Name’.
SQL Server provides two ways to view data in magic tables.
 Use Triggers:
One way is to use triggers on delete, insert or update operations in a
table to view the data in “inserted” and “deleted” magic tables.
CREATE TRIGGER Inserted_Trigger
ON Employee
FOR INSERT
AS
BEGIN
SELECT * FROM Inserted

50
END
Whenever an insert operation will be done on Employee table, this trigger
will be called and this will show the “inserted” table.
 Use OUTPUT clause:
Use OUTPUT clause: Another way is to use the OUTPUT clause to view
data in “inserted” or “deleted” magic tables. OUTPUT returns the copy
of data inserted into or deleted from a table.
INSERT INTO Employee OUTPUT Inserted.* VALUES('Robert')

Basic SQL Interview Questions for Freshers

1. What is SQL?
SQL stands for ‘Structured Query Language’ and is used for communicating with
databases. According to ANSI, SQL is the standard query language used for
maintaining relational database management systems (RDBMS) and also for
performing different operations of data manipulation on different types of data. Basically,
it is a database language that is used for the creation and deletion of databases, and it
can be used to fetch and modify the rows of a table and also for multiple other things.

2. What are the subsets of SQL?


The main significant subsets of SQL are:

1. DDL(Data Definition Language)


2. DML(Data Manipulation Language)
3. DCL(Data Control Language)
4. TCL(Transaction Control Language)

3. Explain the different types of SQL commands.

51
 Data Definition Language: DDL is that part of SQL which defines the data
structure of the database in the initial stage when the database is about to be
created. It is mainly used to create and restructure database objects. Commands in
DDL are:
o Create table
o Alter table
o Drop table
 Data Manipulation Language: DML is used to manipulate the already existing
data in the database. That is, it helps users retrieve and manipulate the data. It is
used to perform operations such as inserting data into the database through the
insert command, updating the data with the update command, and deleting the data
from the database through the delete command.
 Data Control Language: DCL is used to control access to the data in the
database. DCL commands are normally used to create objects related to user
access and also to control the distribution of privileges among users. The
commands that are used in DCL are Grant and Revoke.
 Transaction Control Language: It is used to control the changes made by DML
commands. It also authorizes the statements to assemble in conjunction into logical
transactions. The commands that are used in TCL are Commit, Rollback,
Savepoint, Begin, and Transaction.

52
4. What are the different types of database management systems?
Database Management System is classified into four types:

 Hierarchical database: It is a tree-like structure where the data is stored in a


hierarchical format. In this database, the parent may have many children but a child
should have a single parent.
 Network database: It is presented as a graph that allows many-to-many
relationships. This database allows children to have multiple children.
 Relational database: A relational database is represented as a table. The values
in the columns and rows are related to each other. It is the most widely used
database because it is easy to use.
 Object-Oriented database: The data values and operations are stored as objects
in this database. All these objects have multiple relationships between them.
5. What are the usages of SQL?
These are the operations that can be performed using SQL database:

 Creating new databases


 Inserting new data
 Deleting existing data
 Updating records
 Retrieving the data
 Creating and dropping tables
 Creating functions and views
 Converting data types

6. What is a default constraint?


Constraints are used to specify some sort of rules for processing data and limiting the
type of data that can go into a table. Now, let’s understand the default constraint.

The default constraint is used to define a default value for a column so that the default
value will be added to all the new records if no other value is specified. For example, if
we assign a default constraint for the E_salary column in the below table and set the
default value is 85000, then all the entries of this column will have a default value of
85000 unless no other value has been assigned during the insertion.

53
Now, let’s see how to set a default constraint. We will start off by creating a new table
and adding a default constraint to one of its columns.

Code:
create table stu1(s_id int, s_name varchar(20), s_marks int default
50)
select *stu1

Output:

Now, we will insert the records.

Code:
insert into stu1(s_id,s_name) values(1,’Sam’)
insert into stu1(s_id,s_name) values(2,’Bob’)
insert into stu1(s_id,s_name) values(3,’Matt’)
select *from stu1

Output:

7. What is a unique constraint?

54
Unique constraints ensure that all the values in a column are different. For example, if
we assign a unique constraint to the e_name column in the below table, then every
entry in this column should have a unique value.

First, we will create a table.


create table stu2(s_id int unique, s_name varchar(20))

Now, we will insert the records.


insert into stu2 values(1,’Julia’)
insert into stu2 values(2,’Matt’)
insert into stu2 values(3,’Anne’)

Output:

8. What do you mean by table and field in SQL?


An organized data in the form of rows and columns is said to be a table. Here rows and
columns are referred to as tuples and attributes.

And the number of columns in a table is referred to as a field. In the record, fields
represent the characteristics and attributes.

9. What is a primary key?

55
A primary key is used to uniquely identify all table records. It cannot have NULL values,
and it must contain unique values. A table can have only one primary key that consists
of single or multiple fields.

Now, we will write a query for demonstrating the use of a primary key for the Employee
table:
//
CREATE TABLE Employee (
ID int NOT NULL,
Employee_name varchar(255) NOT NULL,
Employee_designation varchar(255),
Employee_Age int,
PRIMARY KEY (ID)
);

10. What is a Unique Key?


The key which can accept only the null value and cannot accept the duplicate values is
called Unique Key. The role of the unique key is to make sure that each column and row
are unique.

The syntax will be the same as the Primary key. So, the query using a Unique Key for
the Employee table will be:
//
CREATE TABLE Employee (
ID int NOT NULL,
Employee_name varchar(255) NOT NULL,
Employee_designation varchar(255),
Employee_Age int,
UNIQUE(ID)
);

11. What is the difference between Primary key and Unique Key?
Both Primary and Unique key carry unique values but the primary key can not have a
null value where the Unique key can. And in a table, there cannot be more than one
Primary key but unique keys can be multiple.

56
12. What is a foreign key?
A foreign key is an attribute or a set of attributes that references the primary key of
some other table. Basically, it is used to link together two tables.

Let’s create a foreign key for the below table:

CREATE TABLE Orders (


OrderID int NOT NULL,
OrderNumber int NOT NULL,
PersonID int,
PRIMARY KEY (OrderID),
FOREIGN KEY (PersonID) REFERENCES Persons(PersonID)
)

13. What is an index?


Indexes help speed up searching in the database. If there is no index on any column in
the WHERE clause, then SQL Server has to skim through the entire table and check
each and every row to find matches, which might result in slow operation on large data.

Indexes are used to find all rows matching with some columns and then to skim through
only those subsets of the data to find the matches.

Syntax:
CREATE INDEX INDEX_NAME ON TABLE_NAME (COLUMN)

57
14. Explain the types of indexes.

Single-column Indexes: A single-column index is created for only one column of a table.

Syntax:
CREATE INDEX index_name
ON table_name(column_name);

Composite-column Indexes: A composite-column index is an index created for two or


more columns of the table.

Syntax:
CREATE INDEX index_name
ON table_name (column1, column2)

Unique Indexes: Unique indexes are used for maintaining the data integrity of the table.
They do not allow multiple values to be inserted into the table.

Syntax:
CREATE UNIQUE INDEX index
ON table_name(column_name)

Now, let’s move on to the next question in this ‘Top SQL Interview Questions’ blog.

15. What are Entities and Relationships?

58
Entities: Entity can be a person, place, thing, or any identifiable object for which data
can be stored in a database.

For example: In a company’s database, employees, projects, salaries, etc can be


referred to as entities.

Relationships: Relationships between entities can be referred to as the connection


between two tables or entities.

For example: In a college database, the student entity and department entities are
associated with each other.

That is all in the section of Basic SQL practice questions. Let’s move on to the next
section of SQL intermediate interview questions.

Intermediate SQL Interview Questions

16. How would you find the second highest salary from the below table?

Co
de:
select * from employee
select max(e_salary) from employee where e_salary not in (select
max(e_salary) from employee)

Output:

59
17. Why do we use the FLOOR function in SQL Server?
The FLOOR() function helps us to find the largest integer value to a given number which
can be an equal or lesser number.

18. State the differences between clustered and non-clustered indexes.

 Clustered index: It is used to sort the rows of data by their key values. A clustered
index is like the contents of a phone book. We can open the book at ‘David’ (for
‘David, Thompson’) and find information for all Davids right next to each other.
Since the data is located next to each other, it helps a lot in fetching data based on
range-based queries. Also, the clustered index is actually related to how the data is
stored. There is only one clustered index possible per table.
 Non-clustered index: It stores data at one location and indexes at some other
location. The index has pointers that point to the location of the data. As the index
in the non-clustered index is stored in different places, there can be many non-
clustered indexes for a table.

Now, we will see the major differences between clustered and non-clustered indexes:
Parameters Clustered Index Non-clustered Index
Used for Sorting and storing records Creating a logical order for data rows.
physically in memory Pointers are used for physical data files

60
Parameters Clustered Index Non-clustered Index
Methods for Stores data in the leaf nodes Never stores data in the leaf nodes of the
storing of the index index
Size Quite large Comparatively, small
Data accessing Fast Slow
Additional disk Not required Required to store indexes separately
space
Type of key By default, the primary key of It can be used with the unique constraint
a table is a clustered index on the table that acts as a composite key
Main feature Improves the performance of Should be created on columns used in
data retrieval Joins

Now, in this ‘SQL Interview Questions and Answers’ blog, we will move on to the next
question.

19. What do you know about CDC in SQL Server?


CDC is called change data capture. It captures recent INSERT, DELETE, and UPDATE
activity applied to SQL Server tables. It records changes to SQL Server tables in a
compatible format.

20. What is the difference between SQL and MySQL?

SQL MySQL
It is a structured query language It is a database management system
used in a database
It is used for query and operating It allows data handling, storing, and modifying data
database system in an organized manner.
SQL is always the same MySQL keeps updating
Only a single storage engine is MySQL supports multiple storage engines.
supported in SQL.
The server is independent in SQL During backup sessions, the server blocks the
database.

61
21. State the differences between SQL and PL/SQL.

SQL PL/SQL
SQL is a database structured query It is a programming language for a
language. database that uses SQL.
SQL is an individual query that is used to PL/SQL is a block of codes used to write
execute DML and DDL commands. the entire procedure or a function.
SQL is a declarative and data-oriented PL/SQL is a procedural and application-
language. oriented language.
It is mainly used for the manipulation of It is used for creating an application.
data.
It provides interaction with the database It does not provide interaction with the
server. database server.
It cannot contain PL/SQL code in it. It can contain SQL in it because it is an
extension of SQL.

22. What is the ACID property in a database?


The full form of ACID is Atomicity, Consistency, Isolation, and Durability. To check the
reliability of the transactions, ACID properties are used.

 Atomicity refers to completed or failed transactions, where transaction refers to a


single logical operation on data. This implies that if any aspect of a transaction fails,
the whole transaction fails and the database state remains unchanged.
 Consistency means that the data meets all of the validity guidelines. The
transaction never leaves the database without finishing its state.
 Concurrency management is the primary objective of Isolation.
 Durability ensures that once a transaction is committed, it will occur regardless of
what happens in between, such as a power outage, a fire, or some other kind of
disturbance.

23. How can we handle expectations in SQL Server?


TRY and CATCH blocks handle exceptions in SQL Server. We have to put the SQL
statement in the TRY block and write the code in the CATCH block to handle

62
expectations. If there is an error in the code inside the TRY block, the control will
automatically move to that CATCH block.

24. What is the need for group functions in SQL?


Group functions operate on a series of rows and return a single result for each group.
COUNT(), MAX(), MIN(), SUM(), AVG() and VARIANCE() are some of the most widely
used group functions.

25. What do you understand about a character manipulation function?


Character manipulation functions are used for the manipulation of character data types.

Some of the character manipulation functions are:


UPPER: It returns the string in uppercase.

Syntax:
UPPER(‘ string’)

Example:
SELECT UPPER(‘demo string’) from String;

Output:
DEMO STRING

LOWER: It returns the string in lowercase.

Syntax:
LOWER(‘STRING’)

Example:
SELECT LOWER (‘DEMO STRING’) from String

Output:
demo string

INITCAP: It converts the first letter of the string to uppercase and retains others in
lowercase.

Syntax:
Initcap(‘sTRING’)

63
Example:
SELECT Initcap(‘dATASET’) from String

Output:
Dataset

CONCAT: It is used to concatenate two strings.

Syntax:
CONCAT(‘str1’,’str2’)

Example:
SELECT CONCAT(‘Data’,’Science’) from String

Output:
Data Science

LENGTH: It is used to get the length of a string.

Syntax:
LENGTH(‘String’)

Example:
SELECT LENGTH(‘Hello World’) from String

Output:
11

Going ahead with this blog on ‘Top SQL Interview Questions,’ we will see the next
question.

26. What is AUTO_INCREMENT?


AUTO_INCREMENT is used in SQL to automatically generate a unique number
whenever a new record is inserted into a table.

Since the primary key is unique for each record, we add this primary field as the
AUTO_INCREMENT field so that it is incremented when a new record is inserted.

The AUTO-INCREMENT value starts from 1 and is incremented by 1 whenever a new


record is inserted.

Syntax:

64
CREATE TABLE Employee(
Employee_id int NOT NULL AUTO-INCREMENT,
Employee_name varchar(255) NOT NULL,
Employee_designation varchar(255)
Age int,
PRIMARY KEY (Employee_id)
)

Now, let’s move on to the next question in this ‘Top SQL Interview Questions’ blog.

27. What is the difference between DELETE and TRUNCATE commands?

 DELETE: This query is used to delete or remove one or more existing tables.
 TRUNCATE: This statement deletes all the data from inside a table.

Th
e difference between DELETE and TRUNCATE commands are as follows:

 TRUNCATE is a DDL command, and DELETE is a DML command.


 With TRUNCATE, we cannot really execute and trigger, while with DELETE, we
can accomplish a trigger.
 If a table is referenced by foreign key constraints, then TRUNCATE will not work.
So, if we have a foreign key, then we have to use the DELETE command.

The syntax for the DELETE command:

65
DELETE FROM table_name
[WHERE condition];

Example:
select * from stu

Output:

delete from stu where s_name=’Bob’

Output:

The syntax for the TRUNCATE command:


TRUNCATE TABLE
Table_name;

Example:
select * from stu1

Output:

truncate table stu1

Output:

This deletes all the records from the table.

28. What is a “TRIGGER” in SQL?

66
The trigger can be defined as an automatic process that happens when an event occurs
in the database server. It helps to maintain the integrity of the table. The trigger is
activated when the commands like insert, update, and delete are given.

The syntax used to generate the trigger function is:


CREATE TRIGGER trigger_name

29. In SQL Server, how many authentication modes are there? And what
are they?
In SQL Server, two authentication modes are available. They are:

 Windows authentication mode: It allows authentication for Windows but does not
allow SQL server.
 Mixed mode: This mode enables both types, Windows and SQL Server, of
authentication.

30. What is the COALESCE function?


The COALESCE function takes a set of inputs and returns the first non-null value.

Syntax:
COALESCE(val1,val2,val3,……,nth val)

Example:
SELECT COALESCE(NULL, 1, 2, ‘MYSQL’)

Output:
1

31. What do you understand about normalizationand denormalization?


Normalization and denormalization are basically two methods used in databases.

67
Normalization is used in reducing data redundancy and dependency by organizing fields
and tables in databases. It involves constructing tables and setting up relationships
between those tables according to certain rules. The redundancy and inconsistent
dependency can be removed using these rules to make it more flexible.

Denormalization is contrary to normalization. In this, we basically add redundant data to


speed up complex queries involving multiple tables to join. Here, we attempt to optimize
the read performance of a database by adding redundant data or by grouping the data.

32. What are some common clauses used with SELECT queries in SQL?
There are many SELECT statement clauses in SQL. Some of the most commonly used
clauses are:

 FROM

The FROM clause defines the tables and views from which data can be interpreted. The
tables and views listed must exist at the time the question is given.

 WHERE

The WHERE clause defines the parameters that would be used to limit the contents of
the results table. You can test for basic relationships or for relationships between a
column and a series of columns using subselects.

 GROUP BY

This GROUP BY clause is commonly used for aggregate functions to produce a single
outcome row for each set of unique values in a set of columns or expressions.

 ORDER BY

ORDER BY clause helps you to choose the columns on which the table’s result should
be sorted.

 HAVING

68
By using an aggregate function, the HAVING clause filters the results of the GROUP BY
clause.

33. What is wrong with the below-given SQL query?


SELECT gender, AVG(age) FROM employee WHERE AVG(age)>30 GROUP BY
gender

When we execute this command, we get the following error:


Msg 147, Level 16, State 1, Line 1

Aggregation may not appear in the WHERE clause unless it is in a subquery contained
in a HAVING clause or a select list, the column being aggregated is an outer reference.
Msg 147, Level 16, State 1, Line 1
Invalid column name ‘gender’.

This basically means that whenever we are working with aggregate functions and we
are using GROUP BY, we cannot use the WHERE clause. Therefore, instead of the
WHERE clause, we should use the HAVING clause.

Also, when we are using the HAVING clause, GROUP BY should come first, and
HAVING should come next.
select e_gender, avg(e_age) from employee group by e_gender having
avg(e_age)>30

Output:

34. What is a function in SQL Server?


A function is an SQL Server database object. It is basically a set of SQL statements that
allow input parameters, perform processing, and return results only. The function can
only return a single value or table. The ability to insert, update, and delete records in
database tables is not available.

35. What do you know about the stuff() function?

69
The stuff function deletes a part of the string and then inserts another part into the string
starting at a specified position.

Syntax:
STUFF(String1, Position, Length, String2)

Here, String1 is the one that would be overwritten. Position indicates the starting
location for overwriting the string. Length is the length of the substitute string,
and String2 is the string that would overwrite String1.

Example:
select stuff(‘SQL Tutorial’,1,3,’Python’)

This will change ‘SQL Tutorial’ to ‘Python Tutorial’

Output:
Python Tutorial

36. What are Views? Give an example.


Views are virtual tables used to limit the tables that we want to display, and these are
nothing but the result of a SQL statement that has a name associated with it. Since
views are not physically present, they take less space to store.

Let’s consider an example. In the below employee table, say, we want to perform
multiple operations on the records with gender ‘Female’. We can create a view-only
table for the female employees from the entire employee table.

Now, let’s implement it on SQL Server.

Below is our employee table:


select * from employee

70
Now, we will write the syntax for view.

Syntax:
create view female_employee as select * from employee where
e_gender=’Female’
select * from female_employee

Output:

37. What are the third-party tools that are used in an SQL Server?
The following is the list of third-party tools:

 SQL CHECK
 SQL DOC 2
 SQL Backup 5
 SQL Prompt
 Litespeed 5.0

38. What are the types of views in SQL?


In SQL, the views are classified into four types. They are:

1. Simple View: A view that is based on a single table and does not have a GROUP
BY clause or other features.
2. Complex View: A complex view is one that is built from several tables and includes
a GROUP BY clause as well as functions.

71
3. Inline View: A view that is built on a subquery in the FROM Clause, which provides
a temporary table and simplifies a complicated query.
4. Materialized View: A view that saves both the definition and the details. It builds
data replicas by physically preserving them.

Advanced SQL Interview Questions for Experienced


Professionals

39. What is a stored procedure? Give an example.


A stored procedure is a prepared SQL code that can be saved and reused. In other
words, we can consider a stored procedure to be a function consisting of many SQL
statements to access the database system. We can consolidate several SQL
statements into a stored procedure and execute them whenever and wherever required.

A stored procedure can be used as a means of modular programming, i.e., we can


create a stored procedure once, store it, and call it multiple times as required. This also
supports faster execution when compared to executing multiple queries.

Syntax:
CREATE PROCEDURE procedure_name
AS
Sql_statement
GO;
To execute we will use this:
EXEC procedure_name

Example:

We are going to create a stored procedure that will help extract the age of the
employees.
create procedure employee_age
as
select e_age from employee
go
Now, we will execute it.
exec employee_age

72
Output:

40. What do you know about Joins? Define different types of Joins.
The Join clause is used to combine rows from two or more tables based on a related
column between them. There are various types of Joins that can be used to retrieve
data, and it depends upon the relationship between tables.

There are four types of Joins:

 Inner Join: Inner Join basically returns records that have matching values in both
tables.
 Left Join: Left Join returns rows that are common between the tables and all the
rows of the left-hand-side table, i.e., it returns all the rows from the left-hand-side
table even if there are no matches available in the right-hand-side table.
 Right Join: Right Join returns rows that are common between the tables and all the
rows of the right-hand-side table, i.e., it returns all the rows from the right-hand-side
table even if there are no matches available in the left-hand-side table.
 Full Join: Full Join returns all the rows from the left-hand-side table and all the
rows from the right-hand-side table.

41. Where are usernames and passwords stored in SQL Server?


In SQL Server, usernames and passwords are stored in the main database in the
sysxlogins table.

42. What are the types of relationships in SQL Server databases?


Relationships are developed by interlinking the column of one table with the column of
another table. There are three different types of relationships which are as follows:

73
 One-to-one relationship
 Many-to-one relationship
 Many-to-many relationship

43. Explain Inner Join with Example.


Inner Join basically gives us those records that have matching values in two tables.

Let us suppose, we have two tables Table A and Table B. When we apply Inner Join on
these two tables, we will get only those records that are common to both Table A and
Table B.

Syntax:
SELECT columns
FROM table1
INNER JOIN table2
ON table1.column_x=table2.column_y;

Example:
select * from employee
select * from department

Output:

Now, we would apply Inner Join to both of these tables, where the ‘e_dept’ column in
the employee table is equal to the ‘d_name’ column of the department table.

Syntax:
select employee.e_name, employee.e_dept, department.d_name,
department.d_location
from employee inner join department

on
employee.e_dept=department.d_name

74
Output:

After Inner Join, we have only those records where the departments match in both
tables. As we can see, the matched departments are Support, Analytics, and Sales.

44. State the differences between views and tables.

Views Tables
It is a virtual table that is extracted from A table is structured with a set number of
a database. columns and a boundless number of rows.
Views do not hold data themselves. A table contains data and stores the data in
databases.
A view is also utilized to query certain A table holds fundamental client information
information contained in a few distinct and the cases of a characterized object.
tables.
In a view, we will get frequently In a table, changing the information in the
queried information. database changes the information that appears
in the view

45. Mention different types of replication in SQL Server?


In SQL Server, three different types of replications are available:

 Snapshot replication
 Transactional replication
 Merge replication

46. What do you understand about a temporary table? Write a query to


create a temporary table.

75
A temporary table helps us store and process intermediate results. These temporary
tables are created and can be automatically deleted when they are no longer used.
They are very useful in places where we need to store temporary data.

Syntax:
CREATE TABLE #table_name();
The below query will create a temporary table:
create table #book(b_id int, b_cost int)
Now, we will insert the records.
insert into #book values(1,100)
insert into #book values(2,232)
select * from #book

Output:

47. Explain the difference between OLTP and OLAP.


OLTP: It stands for Online Transaction Processing, and we can consider it to be a
category of software applications that is efficient for supporting transaction-oriented
programs. One of the important attributes of the OLTP system is its potential to keep up
the consistency. The OLTP system often follows decentralized planning to keep away
from single points of failure. This system is generally designed for a large audience of
end-users to perform short transactions. Also, queries involved in such databases are
generally simple, need fast response time, and in comparison, return only a few
records. So, the number of transactions per second acts as an effective measure for
those systems.

76
OLAP: OLAP stands for Online Analytical Processing, and it is a category of software
programs that are identified by a comparatively lower frequency of online transactions.
For OLAP systems, the efficiency of computing depends highly on the response time.
Hence, such systems are generally used for data mining or maintaining aggregated
historical data, and they are usually used in multi-dimensional schemas.

48. What do you understand by Self Join? Explain using Example.


Self Join in SQL is used for joining a table with itself. Here, depending upon some
conditions, each row of the table is joined with itself and with other rows of the table.

Syntax:
SELECT a.column_name, b.column_name
FROM table a, table b
WHERE condition

Example:
Consider the customer table given below.
ID Name Age Address Salary
1 Anand 32 Ahmedabad 2,000.00
2 Abhishek 25 Delhi 1,500.00
3 Shivam 23 Kota 2,000.00
4 Vishal 25 Mumbai 6,500.00
5 Sayeedul 27 Bhopal 8,500.00
6 Amir 22 MP 4,500.00

77
7 Arpit 24 Indore 10,000.00

We will now join the table using Self Join:


SQL> SELECT a.ID, b.NAME, a.SALARY
FROM CUSTOMERS a, CUSTOMERS b
WHERE a.SALARY < b.SALARY;

Output:
ID Name Salary
2 Anand 1,500.00
2 Abhishek 1,500.00
1 Vishal 2,000.00
2 Vishal 1,500.00
3 Vishal 2,000.00
6 Vishal 4,500.00
1 Sayeedu 2,000.00
l
2 Sayeedu 1,500.00
l
3 Sayeedu 2,000.00
l
4 Sayeedu 6,500.00
l
6 Sayeedu 4,500.00
l
1 Amir 2,000.00
2 Amir 1,500.00
3 Amir 2,000.00
1 Arpit 2,000.00
2 Arpit 1,500.00
3 Arpit 2,000.00
4 Arpit 6,500.00
5 Arpit 8,500.00

78
6 Arpit 4,500.00

49. Which command do we use to find out the SQL Server version?
The following command is used to identify the version of SQL Server:
Select SERVERPROPERTY('productversion')

50. What is the difference between Union and Union All operators?
The Union operator is used to combine the result set of two or more select statements.
For example, the first select statement returns the fish shown in Image A, and the
second returns the fish shown in Image B. Then, the Union operator will return the result
of the two select statements as shown in Image A U B. Also, if there is a record present
in both tables, then we will get only one of them in the final result.

Syntax:
SELECT column_list FROM table1

Union:
SELECT column_list FROM table2

Now, we will execute it in the SQL server.

These are the two tables in which we will use the Union operator.

79
select * from student_details1

Union:
select * from student_details2

Output:

Now, Union All gives all the records from both tables including the duplicates.

Let us implement in it the SQL server.

Syntax:
select * from student_details1

Union All:
select * from student_details2

80
Output:

51. Can we link SQL Server with others?


SQL Server allows the OLEDB provider, who provides the link, to connect to all
databases.

Example: Oracle, I have an OLEDB provider that has a link to connect with a SQL
server group.

52. What is SQL Server Agent?


SQL Server agent plays an important role in the daily work of SQL Server
Administrators (DBAs.) This is one of the important parts of Microsoft’s SQL Server. The
aim of the server agent is to easily implement tasks using a scheduler engine that
enables tasks to be performed at scheduled times. SQL Server Agent uses SQL Server
to store scheduled management task information.

53. What is Cursor? How to use a Cursor?


A database Cursor is a control that allows you to navigate around the table’s rows or
documents. It can be referred to as a pointer for a row in the set of rows. Cursors are
extremely useful for database traversal operations like extraction, insertion, and
elimination.

 After any variable declaration, DECLARE a cursor. A SELECT Statement must


always be aligned with the cursor declaration.
 To initialize the result set, OPEN statements must be called before fetching the
rows from the result table.
 To grab and switch to the next row in the result set, use the FETCH statement.

81
 To deactivate the cursor, use the CLOSE expression.
 Finally, use the DEALLOCATE clause to uninstall the cursor description and clear
all the resources associated with it.

Here is an example SQL cursor


DECLARE @name VARCHAR(50)

DECLARE db_cursor CURSOR FOR


SELECT name
From myDB.company
WHERE employee_name IN (‘Jay’, ‘Shyam’)
OPEN db_cursor
FETCH next
FROM db_cursor
Into @name

Close db_cursor
DEALLOCATE db_cursor

54. What do you know about magic tables in SQL Server?


A magic table can be defined as a provisional logical table that is developed by an SQL
Server for tasks such as insert, delete, or update (D.M.L) operations. The operations
recently performed on the rows are automatically stored in magic tables. They are not
physical tables; they are just temporary internal tables.

55. What is the use of the Intersect operator?


The Intersect operator helps combine two select statements and returns only those
records that are common to both the select statements. So, after we get Table A and
Table B over here and if we apply the Intersect operator on these two tables, then we
will get only those records that are common to the result of the select statements of
these two.

82
Syntax:
SELECT column_list FROM table1
INTERSECT
SELECT column_list FROM table2

Now, let’s see an example for the INTERSECT operator.


select * from student_details1
select * from student_details1

Output:

select * from student_details1


intersect
select * from student_details2

Output:

56. How can you copy data from one table into another?

83
Here, we have our employee table.

We have to copy this data into another table. For this purpose, we can use the INSERT
INTO SELECT operator. Before we go ahead and do that, we would have to create
another table that would have the same structure as the above-given table.

Syntax:
create table employee_duplicate(
e_id int,
e_name varchar(20),
e_salary int,
e_age int,
e_gender varchar(20)
e_dept varchar(20)
)

For copying the data, we would use the following query:


insert into employee_duplicate select * from employees

Let us have a glance at the copied table.

84
select * from employee_duplicate

Output:

57. What is the difference between BETWEEN and IN operators in SQL?


To represent rows based on a set of values, use the BETWEEN operator. The values
may be numbers, text, or dates. The BETWEEN operator returns the total number of
values that exist between two specified ranges.

To search for values within a given range of values, the IN condition operator is used. If
we have more than one value to choose from, we use the IN operator.

58. Describe how to delete duplicate rows using a single statement but
without any table creation.
Let’s create an Employee table where column names are ID, NAME, DEPARTMENT,
and EMAIL. Below are the SQL scripts for generating the sample data:
CREATE TABLE EMPLOYEE
(
ID INT,
NAME Varchar(100),
DEPARTMENT INT,
EMAIL Varchar(100)
)

INSERT INTO EMPLOYEE VALUES (1,'Tarun',101,'tarun@intellipaat.com')


INSERT INTO EMPLOYEE VALUES (2,'Sabid',102,'sabid@intellipaat.com')
INSERT INTO EMPLOYEE VALUES (3,'Adarsh',103,'adarsh@intellipaat.com')
INSERT INTO EMPLOYEE VALUES
(4,'Vaibhav',104,'vaibhav@intellipaat.com')

85
--These are the duplicate rows

INSERT INTO EMPLOYEE VALUES (5,'Tarun',101,'tarun@intellipaat.com')


INSERT INTO EMPLOYEE VALUES (6,'Sabid',102,'sabid@intellipaat.com')

We can see the duplicate rows in the above table.


DELETE e1 FROM EMPLOYEE e1, EMPLOYEE e2 WHERE e1.name = e2.name AND
e1.id > e2.id

The SQL query above will delete the rows, where the name fields are duplicated, and it
will retain only those unique rows in which the names are unique and the ID fields are
the lowest. That is, rows with IDs 5 and 6 are deleted, whereas rows with IDs 1 and 2
are retained.

59. Can you identify the employee who is having the third-highest salary
from the given Employee table (with salary-related data)?
Consider the below Employee table. In the table, ‘Sabid’ has the third-highest salary
(60000).
Name Salary
Tarun 70000
Sabid 60000
Adarsh 30000
Vaibhav 80000

86
Below is a simple query to find out the employee who has the third-highest salary. The
functions RANK, DENSE RANK, and ROW NUMBER are used to obtain the increasing
integer value by imposing the ORDER BY clause in the SELECT statement, based on
the ordering of rows. The ORDER BY clause is necessary when we use RANK, DENSE
RANK, or ROW NUMBER functions. On the other hand, the PARTITION BY clause is
optional.
WITH CTE AS
(
SELECT Name, Salary, RN = ROW_NUMBER() OVER (ORDER BY Salary DESC)
FROM EMPLOYEE
)
SELECT Name, Salary FROM CTE WHERE RN =3

60. What is the difference between HAVING and WHERE clauses?


The distinction between HAVING and WHERE clauses in SQL is that while the WHERE
clause cannot be used with aggregates, we use the HAVING clause with the
aggregated data. The WHERE clause works on the data from a row and not with the
aggregated data.

Let’s consider the Employee table below.


Name Department Salary
Tarun Production 50000
Tarun Testing 60000
Sabid Marketing 70000
Adarsh Production 80000
Vaibha Testing 90000
v

The following would select the data on a row-by-row basis:


SELECT Name, Salary FROM Employee WHERE Salary >=50000

Output:
Name Salary
Tarun 50000
Tarun 60000

87
Sabid 70000
Adarsh 80000
Vaibhav 90000

The HAVING clause, on the other hand, operates on aggregated results.


SELECT Department, SUM(Salary) AS total FROM Employee GROUP BY
Department

Output:
Departmen Total
t
Marketing 70000
Production 130000
Testing 150000

Now, let’s see the output when we apply HAVING to the above query.
SELECT Department, SUM(Salary) AS total FROM Employee GROUP BY
Department HAVING SUM(Salary)>70000

Output:
Departmen Total
t
Production 130000
Testing 150000

61. Explain database white box testing and black box testing.
The white box test method mainly deals with the internal structure of a particular
database, where users hide specification details. The white box testing method involves
the following:

 As the coding error can be detected by testing the white box, it can eliminate
internal errors.
 To check for the consistency of the database, it selects the default table values.
 This method verifies the referential integrity rule.

88
 It helps perform the module testing of database functions, triggers, views, and SQL
queries.

The black box test method generally involves interface testing, followed by database
integration. It includes:

 Mapping details
 Verification of the incoming data
 Verification of the outgoing data from the other query functions

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


Consider the following Student table.

If we want to delete the rows (tuples) of this table, we can use the delete command.
When we run the following command, it will delete all the rows.
Delete from Student;

We can also delete a specific row using the delete command as shown below:
Delete from Student where ID=1;

The truncate command is also used to delete the rows. However, in truncate, we cannot
delete a specific row. Thus, when we run the following command, it will delete all the
rows of the table.
Truncate Student;

89
Let’s say, we have executed rollback before committing changes, but in the case of
truncate, it is not possible because there is no log file generated (for understanding, we
can assume truncate to be something like ‘Shift + Delete’).

In the case of delete, we can perform rollback before committing the changes. Hence,
with the delete command, we have the option of recovering the original.

Also, the delete command is slower than the truncate command.

What do you understand by Data-types in sql server?


Ans: SQL Server data types defines the characteristic of the data that is stored in a column.
Each column, variable and expression has related data type in SQL.

How you should choose data type for particular column when you create a table?
Ans: The data type should be chosen based on the information you wish to store. for example
you would not use an integer data type for storing employee name.

What is the very useful datatype introduced in SQL Server 2016?


Ans: JSON datatype

What are the two types of character data SQL Server supports?
Ans: Regular and Unicode

What are the Regular character data types?


Ans: Char and VarChar

What are the Unicode character data types?


Ans: NChar and NVarChar

How are literal strings expressed with Regular character column?


Ans: Single quote 'text'.

How are literal strings expressed with Unicode character column?

90
Ans: Must Start with N'text'.

What can you define with variable length character data types?
Ans: VARCHAR(MAX)

How large is VARCHAR(MAX)?


Ans: 8000 Bytes in line.

Name any five date and time data types?


Ans: 1.) DATETIME
2.) SMALLDATETIME
3.) DATE
4.) TIME
5.) DATETIME2
6.) DATETIMEOFFSET

What does the PARSE function do?


Ans: Parse a value as a requested type and indicate a culture.
Syntax?
PARSE('date' AS datatype USING culture)

What happens when you only want to work with time in a DATETIME data type?
Ans: SQL Server stores the date as Jan 1 1900.

What do you understand by Timestamp, Difference between Datetime and Timestamp


datatypes?
Ans: Datetime: Datetime is a datatype.
Timestamp: Timestamp is a data type that exposes automatically generated binary numbers,
which are guaranteed to be unique within a database. timestamp is used typically as a
mechanism for version-stamping table rows. The storage size is 8 bytes.

91
In fact, in sql server 2008 this column type was renamed (i.e. timestamp is deprecated) to
rowversion. It basically means that every time a row is changed, this value is increased. This is
done with a database counter, i.e. two different rows that where updated in the same
transaction have the same row version.

What do you understand by rowversion datatype, have you ever used rowversion?
Ans: Rowversion is a data type that exposes automatically generated, unique binary numbers
within a database. rowversion is generally used as a mechanism for version-stamping table
rows. The storage size is 8 bytes. The rowversion data type is just an incrementing number and
does not preserve a date or a time.
Timestamp is the synonym for the rowversion data type and is subject to the behavior of data
type synonyms. In DDL statements, use rowversion instead of timestamp wherever possible.
Example :
CREATE TABLE ExampleTable2 (PriKey int PRIMARY KEY, VerCol rowversion);

OR
CREATE TABLE ExampleTable1 (PriKey int PRIMARY KEY, VerCol timestamp);

How many column a table can, with timestamp column?


Ans: A table can contain only one timstamp column.

Lets suppose today is 27th Aug 2015, What will happend when we run this following
script?
Is this script through error or not?
SELECT 1 + GETDATE() + 1

Ans: it will add 2 days in current date time and according to date specified it will display 29th
Aug 2015 with current time.

What is User-defined data type in SQL Server?


Ans: User-defined data types also know as Alias types are based on the system data types in
Microsoft® SQL Server™ 2000. User-defined data types can be used when several tables must
store the same type of data in a column and you must ensure that these columns have exactly
the same data type, length, and nullability. For example, a user-defined data type called
postal_code could be created based on the char data type.

92
Can we use User-defined data type in table variable?
Ans: No

Can you alter user-defined data types?


Ans: No, If you want to change it then first you need to drop it, and then you need to re-create
with your changes.

User-defined data types are located in your databaes node under?


Ans: Programmability > Types > User-Defined Data TYpes

What is SWITCHOFFSET function?


Ans: SWITCHOFFSET function is used to convert the time from one time zone to another time
zone, and it will work for date time offset fields(DatetimeOffset datatype).
Syntex: SWITCHOFFSET ( DATETIMEOFFSET, time_zone )

What is SPARSE data option introduced in SQL Server 2008, when to use it?
Ans: The sparse data option is a new SQL Server 2008 feature for tields you expect to be
predominantly null. Using the sparse data option, you can instruct SQL Server to not have nulls
consume space in sparsely populated fields.
SPARSE column are better at managing NULL and ZERO values in SQL Server. It does not
take any space in database at all. If column is created with SPARSE clause with it and it
contains ZERO or NULL it will be take lesser space then regular column (without SPARSE
clause).
We can use this option when we sure that our column will contain mostly null values(or zero)
etc.
Example : Create table Employee(ID INT, Name Varchar(20) NULL, Salary Money NU
LL, BonusAmount Money SPARSE NULL)

What are the Advantages and Disadvantages of SPARSE column?


Ans: Advantages of SPARSE column are:
-INSERT, UPDATE, and DELETE statements can reference the sparse columns by name.
SPARSE column can work as one XML column as well.
-SPARSE column can take advantage of filtered Indexes, where data are filled in the row.

93
-SPARSE column saves lots of database space when there are zero or null values in database.

Disadvantages of SPARSE column are:


-SPARSE column does not have IDENTITY or ROWGUIDCOL property.
-SPARSE column can not be applied on text, ntext, image, timestamp, geometry, geography or
user defined datatypes.
-SPARSE column can not have default value or rule or computed column.
-Clustered index or a unique primary key index can not be applied SPARSE column. SPARSE
column can not be part of clustered index key.
-Table containing SPARSE column can have maximum size of 8018 bytes instead of regular
8060 bytes.
-A table operation which involves SPARSE column takes performance hit over regular column.
Ref: http://blog.sqlauthority.com/2008/07/14/sql-server-2008-introduction-to-sparse-columns-
part-2/

Does SPARSE cluse use with the Geography or Geometry data types?
Ans: No, Sparse cannot be used for every data type. It can't be used with Geography or
Geometry data types as well as old LOB types(text, ntext, image).

Can a primary key be a sparsed column?


Ans: No

What is the only data type avaliable in SQL Server which can store GPS data that has
been defined by the OGC()?
Ans: Geography data type

What is the function which returns the closest path between two Geography points in
meters?
Ans: STDistance()

What is the difference between Varchar() and Nvarchar() datatypes?(Most Imp)


Ans: http://www.interviewquestionspdf.com/2015/08/sql-interview-question-difference.html

94
What would be the output of the following script?
DECLARE @Name VARCHAR(20)

SET @Name = 'विकास अहलावत'


SELECT @Name
Ans: Output would be "????? ??????"

What would be the output of the following script?


DECLARE @Name NVARCHAR(20)

SET @Name = 'विकास अहलावत'


SELECT @Name
Ans: Output would be "????? ??????"

How will you print or save name as 'विकास अहलावत'?


Ans: To save Unicode character we need to take data type nvarchar and string
must be with "N", otherwise you will lost the even you have Nvarchar data
type you can see in the above question

DECLARE @Name NVARCHAR(20)

SET @Name = N'विकास अहलावत'


SELECT @Name

Output would be : विकास अहलावत

95

You might also like