1/Oct/2024 | 12 minutes to read
database
Here is a List of essential SQL Server Interview Questions and Answers for Freshers and mid level of Experienced Professionals. All answers for these SQL Server questions are explained in a simple and easiest way. These basic, advanced and latest SQL Server questions will help you to clear your next Job interview.
These interview questions are targeted for SQL Server for developers and DBA. You must know the answers of these frequently asked SQL Server questions to clear the interview. This list includes questions based on joins, complex queries, performance tuning, indexing etc.
1. What are the ACID properties? Explain each of them.
ACID is a set of four properties. Let's understand each of them.
2. What is UNION in SQL Server? How will you differentiate it from UNION ALL?
UNION merges the contents of two tables which are structurally compatible into a single combined table.
The difference is that UNION removes duplicate records whereas UNION ALL includes duplicate records.
UNION ALL has better performance then UNION, since UNION requires the server to do the extra work of eliminating any
duplicates. So, in the cases where it is certain that there will not be any duplicates, or where having duplicates is not a problem,
use of UNION ALL would be recommended for better performance.
3. What is the difference between the WHERE and HAVING clauses? What is Group by clause?
Select * from Employee Where Id > 10;
Select Name, Salary from Employee
Group by Name, Salary
Having SUM(Salary) > 10000;
Select col1, col2, from table
group by col1, col2
4. How to delete Duplicate Records in SQL Server?
With CTE AS (
select *,RN = ROW_NUMBER() over(partition by id Order by id) from Employee1
)
delete from CTE where RN>1;
id - is the column by which you find duplicates.
DELETE
FROM MyTable
WHERE ID NOT IN
(
SELECT MAX(ID)
FROM MyTable
GROUP BY DuplicateColumn1, DuplicateColumn2, DuplicateColumn3)
5. Explain Row_Number, RANK and DENSE_Rank in SQL Server.
USE [Practice]
GO
/****** Object: Table [dbo].[Employee] Script Date: 31-05-2019 10:50:47 ******/
SET ANSI_NULLS ON
GO
SET QUOTED_IDENTIFIER ON
GO
CREATE TABLE [dbo].[Employee] (
[Id] INT NOT NULL,
[Name] VARCHAR (50) NULL,
[Salary] VARCHAR (50) NULL
);
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (1, N'bhanu',N'100')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (2, N'bhanu',N'200')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (3, N'Faizan',N'200')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (4, N'Faizan',N'200')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (5, N'Kap', N'300')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (6, N'Jap', N'100')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (7, N'Abhi', N'500')
INSERT INTO [dbo].[Employee] ([Id], [Name], [Salary]) VALUES (8, N'Shan', N'200')
;with CTE AS(select *, ROW_NUMBER() over(partition by Name,Salary order by Id) as RN from Employee)
select * from CTE
--select * from CTE where RN>1 -- here you can delete duplicate records where RN>1
-- delete from CTE where RN>1
select *, ROW_NUMBER() over(order by Id) as RN from Employee
select *, ROW_NUMBER() over(partition by Name,Salary order by Id) as RN from Employee
select *, RANK() over(order by Name) as rn from Employee
select *, RANK() over(partition by Name order by Name) as rn from Employee
select *, Dense_RANK() over(order by Name) as rn from Employee
select *, Dense_RANK() over(partition by Salary order by Name) as rn from Employee
-- find nth highest salary - always use dense rank as rank will skip some numbers.
-- so it will not give any result for those skipped numbers
select * from Employee
;with CTE1 as (select *, RANK() over (order by salary desc) as RN from Employee)
select top 1 * from CTE1 where RN=4 -- 4th Highest from highest to lowest
select * from Employee
;with CTE1 as (select *, DENSE_RANK() over (order by salary desc) as RN from Employee)
select top 1 * from CTE1 where RN=2 -- 2nd highest from
ROW_NUMBER, RANK, DENSE_RANK can be used with partition or without it but not without an over clause.
6. How to select top nth Records?
Let's take the example to select top 5th record from down
select top 1 id from (select top 5 id from employee1 order by id desc)sub order by id asc
7. Write a self join query with the following table structure.
Table select query is
SELECT [id],[ename],[managerId] FROM [Practic].[dbo].[employee1]
// Self Join Example: we will fetch emp name and manager name from the same table using self join.
select e.ename, m.ename from employee1 e inner join employee1 m on e.managerId = m.id
8. Write a query to select all the Even and Odd number records from a table.
To select all even number records:
SELECT * FROM TABLE WHERE ID % 2 = 0
To select all odd number records:
Select * from table where id % 2 != 0
11. Why are stored procedures fast compared to running queries by c#?
Stored procedures are fast because these are in compile form, meaning no need to compile when we run it. Whenever we run some query by C# (ORM or ado.net) then first the query gets compiled and execution plan is created but in case of stored procedures execution plan already exists as it was already created at the time of writing stored procedures.
9. What is Self Join and why is it required?
Self Join provides the capability of joining one table with itself. For example, you have one table 'employee' with three columns id, name, manager_id. Now you want to print the name of the employee and his manager in the same row.
SELECT e.name EMPLOYEE, m.name MANAGER
FROM EMPLOYEE e, EMPLOYEE m
WHERE e.manager_id = m.id
10. What is the difference between Truncate, Delete and Drop commands?
All these are the SQL commands used on the basis of different needs as below.
11. How to concatenate text from multiple rows into a single text string in SQL server? Consider the rows below.
Test-1
Test-2
Test-3
Expected O/p from above 3 rows should be - Test1, Test2, Test3
You can achieve about output using below SQL query:
DECLARE @Names VARCHAR(8000)
SELECT @Names = COALESCE(@Names + ', ','') + Name
FROM Common.Category
Select @Names
// If row contain null values then Coalesce
can give wrong results so handle null case as below:
DECLARE @Names VARCHAR(8000)
SELECT @Names = COALESCE(@Names + ', ','') + Name
FROM Common.Category Where Name IS NOT NULL
Select @Names
// OR
DECLARE @Names VARCHAR(8000)
SELECT @Names = COALESCE(@Names + ', ','') + ISNULL(Name, 'N/A')
FROM Common.Category
Select @Names
12. How to UPDATE from a SELECT in SQL Server?
UPDATE Emp
SET
Emp.PersonCityName = Address.City,
Emp.PersonPostCode = Address.PostCode
FROM
Employees Emp
INNER JOIN
AddressList Address ON Emp.PersonId = Address.PersonId
For more visit Update from a Select command in SQL Server.
Subqueries and Set Operators:
13. Could you explain the key differences between correlated and non-correlated subqueries in SQL?
-- Correlated Subquery
SELECT e.EmployeeID, e.FirstName, e.LastName
FROM Employees e
WHERE EXISTS (
SELECT 1
FROM Orders o
WHERE o.EmployeeID = e.EmployeeID
);
-- Non-Correlated Subquery
SELECT e.EmployeeID, e.FirstName, e.LastName
FROM Employees e
WHERE e.EmployeeID IN (
SELECT EmployeeID
FROM Orders
WHERE ShipCountry = 'USA'
);
14. Write a query that uses the EXCEPT set operator to find records that exist in one table but not in another.
-- Find those customers who have not placed any orders
SELECT CustomerID, CompanyName
FROM Customers
EXCEPT
SELECT c.CustomerID, c.CompanyName
FROM Customers c
INNER JOIN Orders o ON c.CustomerID = o.CustomerID;
15. How would you use a subquery to update a table based on values from another table?
UPDATE Employees e
SET e.ManagerID = (
SELECT TOP 1 EmployeeID
FROM Employees
WHERE Title = 'Manager'
ORDER BY EmployeeID
)
WHERE e.Title = 'Sales Representative';
Indexing and Query Optimization:
16. What is an Index? Define Clustered and Non-Clustered index. when to use each type?
-- Creating a clustered index
CREATE CLUSTERED INDEX IX_Employees_LastName
ON Employees (LastName);
-- Creating a non-clustered index
CREATE NONCLUSTERED INDEX IX_Employees_City
ON Employees (City);
A clustered index determines the physical order of data rows in a table, and there can only be one clustered index per table. In contrast, non-clustered indexes are separate structures that provide fast access to data, but the data rows themselves are not sorted based on the non-clustered index.17. How can you determine if a query is using an index efficiently?
18. Describe the process of creating a covering index and its benefits.
-- Creating a covering index
CREATE NONCLUSTERED INDEX IX_Orders_CustomerID_ShipCity
ON Orders (CustomerID, ShipCity)
INCLUDE (OrderDate, Freight);
-- Query that can benefit from the covering index
SELECT CustomerID, ShipCity, OrderDate, Freight
FROM Orders
WHERE CustomerID = 'ALFKI';
Stored Procedures and User-Defined Functions:
19. Write a stored procedure that accepts parameters and returns a result set.
CREATE PROCEDURE GetEmployeesByCity
@City NVARCHAR(30)
AS
BEGIN
SELECT EmployeeID, FirstName, LastName, City
FROM Employees
WHERE City = @City;
END;
-- Executing the stored procedure
EXEC GetEmployeesByCity @City = 'London';
20. How can you improve Stored Procedure Performance?
21. Explain the difference between a scalar and a table-valued user-defined function.
-- Scalar Function
CREATE FUNCTION GetDiscountedPrice
(@Price MONEY, @DiscountPercentage FLOAT)
RETURNS MONEY
AS
BEGIN
RETURN @Price * (1 - @DiscountPercentage);
END;
-- Table-Valued Function
CREATE FUNCTION GetOrdersByYear
(@Year INT)
RETURNS TABLE
AS
RETURN (
SELECT OrderID, CustomerID, OrderDate
FROM Orders
WHERE YEAR(OrderDate) = @Year
);
22. How can you handle errors and transactions within a stored procedure?
CREATE PROCEDURE InsertOrder
@CustomerID NCHAR(5),
@OrderDate DATETIME
AS
BEGIN
BEGIN TRY
BEGIN TRANSACTION
INSERT INTO Orders (CustomerID, OrderDate)
VALUES (@CustomerID, @OrderDate);
COMMIT TRANSACTION
END TRY
BEGIN CATCH
ROLLBACK TRANSACTION;
RAISERROR ('Error inserting order', 16, 1);
END CATCH
END;
23. How to insert the result of a stored procedure into a temporary table?
Data Manipulation and Integrity:
24. Write a query that uses the MERGE statement to perform an insert, update, or delete operation based on conditions.
MERGE INTO Employees AS target
USING (SELECT 'John', 'Doe', 'Sales Representative', 5000 AS SalaryRate) AS source (FirstName, LastName, Title, SalaryRate)
ON (target.LastName = source.LastName AND target.FirstName = source.FirstName)
WHEN MATCHED THEN
UPDATE SET target.Title = source.Title, target.SalaryRate = source.SalaryRate
WHEN NOT MATCHED THEN
INSERT (FirstName, LastName, Title, SalaryRate)
VALUES (source.FirstName, source.LastName, source.Title, source.SalaryRate);
25. How can you implement referential integrity constraints in a database?
CREATE TABLE Orders (
OrderID INT PRIMARY KEY,
CustomerID NCHAR(5) FOREIGN KEY REFERENCES Customers(CustomerID),
OrderDate DATETIME
);
26. Explain the concept of triggers and provide an example of when they might be useful.
CREATE TRIGGER tr_EmployeeSalaryCheck
ON Employees
AFTER INSERT, UPDATE
AS
BEGIN
IF EXISTS (
SELECT 1
FROM inserted i
WHERE i.SalaryRate < 0
)
BEGIN
RAISERROR ('Salary cannot be negative', 16, 1);
ROLLBACK TRANSACTION;
END
END;
Monitoring and Performance Tuning:
27. Explain the importance of database monitoring and the tools available in SQL Server for this purpose.
28. How can you identify and resolve performance bottlenecks in your database?
29. What is SQL Server Profiler?
30. Describe the concept of query execution plans and how to analyze them for optimization.
-- Get the estimated execution plan for a query
SET SHOWPLAN_TEXT ON;
GO
SELECT c.CustomerID, c.CompanyName, COUNT(o.OrderID) AS OrderCount
FROM Customers c
LEFT JOIN Orders o ON c.CustomerID = o.CustomerID
GROUP BY c.CustomerID, c.CompanyName;
SET SHOWPLAN_TEXT OFF;
GO
By analyzing the execution plan, you can identify potential bottlenecks, such as expensive operations, missing indexes, or suboptimal join strategies, and make appropriate optimizations. For more about execution plan visit Execution Plan in SQL Server.
31. How to convert rows to columns in SQL Server?
32. How to split a comma-separated value to columns in SQL Server?
33. What is the difference between Count(*)
and Count(1)
?
34. How to escape a single quote in SQL Server?
35. What is the difference between NOT IN
vs NOT EXISTS
?
36. How to return only the Date from a DateTime datatype in SQL Server?
37. How to get column values whose value starts with 'a' letter?
38. What is the use of CTE in SQL Server?
39. Explain the Magic Tables in SQL Server.
40. Differentiate Functions and Stored Procedures in SQL Server.
41. What is the OPTION clause in SQL Server.
42. Explain the use of Coalesce function in SQL Server.
For more visit Coalesce function in SQL Server.
43. How will you improve database performance in SQL Server.
For more visit Improve Performance of SQL Server Database and Improve Performance of SQL Server Database
1. How much will you rate yourself in SQL Server?
When you attend an interview, Interviewer may ask you to rate yourself in a specific Technology like SQL Server, So It's depend on your knowledge and work experience in SQL Server. The interviewer expects a realistic self-evaluation aligned with your qualifications.
2. What challenges did you face while working on SQL Server?
The challenges faced while working on SQL Server projects are highly dependent on one's specific work experience and the technology involved. You should explain any relevant challenges you encountered related to SQL Server during your previous projects.
3. What was your role in the last Project related to SQL Server?
This question is commonly asked in interviews to understand your specific responsibilities and the functionalities you implemented using SQL Server in your previous projects. Your answer should highlight your role, the tasks you were assigned, and the SQL Server features or techniques you utilized to accomplish those tasks.
4. How much experience do you have in SQL Server?
Here you can tell about your overall work experience on SQL Server.
5. Have you done any SQL Server Certification or Training?
Whether a candidate has completed any SQL Server certification or training is optional. While certifications and training are not essential requirements, they can be advantageous to have.
We have covered some frequently asked SQL Server Interview Questions and Answers to help you for your Interview. All these Essential SQL Server Interview Questions are targeted for mid level of experienced Professionals and freshers.
While attending any SQL Server Interview if you face any difficulty to answer any question please write to us at info@qfles.com. Our IT Expert team will find the best answer and will update on the portal. In case we find any new SQL Server questions, we will update the same here.