Asp.Net MVC

Search results for: in category: SQL SERVER

It is a relational database management system developed by Microsoft.

SQL Server is used to store and manage data, and it uses SQL (Structured Query Language) to perform tasks like querying, updating, and managing the database. 

Enterprise

Standard

Web

Developer

Express

SQL Server Database Engine

Analysis Services

Reporting Services

Integration Services

Master Data Services

Machine Learning Services.

SQL Server supports several authentication methods to control access to the database. These methods ensure that only authorized users can access and perform operations on the data.

SQL Server Authentication

Users provide a SQL Server username and password to connect to the database. These credentials are stored and managed in SQL Server. This method is useful if users dont have windows domain accounts.

Windows Authentication

Uses the Windows operating system credentials of the user to authenticate access.

This method is ideal for environments with Active Directory (AD) integration.

Mixed Mode Authentication

Allows both SQL Server Authentication and Windows Authentication.

This method is ideal when a combination of Windows and non-Windows users need to access the database.

Azure Active Directory Authentication

Leverages Azure AD to authenticate users.

This method is designed for cloud-based environments using Azure SQL databases.

A local Windows user account or Active Directory domain account

Windows group

SQL Server login

SQL injection is a type of attack where malicious code is inserted into strings that are passed to an instance of SQL Server for execution.

Review any SQL process that constructs SQL statements for injection vulnerabilities.

Construct dynamically generated SQL statements in a parameterized manner.

Always validate user inputs.

A side-channel attack on a SQL Server exploits indirect information leaks or behaviors to gain unauthorized access or infer sensitive information.

 Unlike direct attacks like SQL injection, side-channel attacks exploit secondary data sources, such as timing, resource usage, or error messages.

Here, the attacker attempts to authenticate with multiple passwords on different accounts until a correct password is found.

Password spraying is an attack method where an adversary attempts to access accounts by trying a small set of common passwords (e.g., "Password123!", "Welcome1") across many accounts, rather than targeting one account with multiple passwords.

It is a type of targeted attack where malware is used to encrypt data and files, preventing access to important content.

The attackers then attempt to extort money from victims, usually in the form of cryptocurrencies, in exchange for the decryption key.

A database schema is the structure that defines how data is organized and stored in a database. It includes definitions of tables, columns, data types, relationships, constraints, and other database elements.

CREATE DATABASE CustomerInfo ;

USE StudentInfo ;

CREATE SCHEMA MySchema;

CREATE TABLE MySchema.Customers (

    CustomerID INT IDENTITY(1,1) PRIMARY KEY,

    FirstName NVARCHAR(50) NOT NULL,

    LastName NVARCHAR(50) NOT NULL,

    Email NVARCHAR(100) UNIQUE,

    CreatedDate DATETIME DEFAULT GETDATE()

);

In the same way you can create stored procedures, views, functions, or additional constraints also.

USE Customer; 

GO 

SELECT name, database_id, create_date 

FROM sys.databases ; 

GO 

USE [master]; -- Switch to master database

GO

 

ALTER DATABASE [YourDatabaseName]

SET SINGLE_USER

WITH ROLLBACK IMMEDIATE; -- Forcefully disconnect users

It s a custom data type that a user can create to standardize the format of data across multiple tables or stored procedures.

 

These types are based on existing system data types but allow for additional customization, such as specifying a default value or constraints.

 

How to create it

 

CREATE TYPE PhoneNumber AS VARCHAR(15) NOT NULL;

 

Then create a table with above type

 

CREATE TABLE Employees (

    EmployeeID INT PRIMARY KEY,

    EmployeeName VARCHAR(100),

    ContactNumber PhoneNumber

);

 

An  index is a database object that improves the speed of data retrieval operations on a table or view.

 

It works similarly to an index in a book, where it helps to quickly find the location of specific data without having to scan the entire table.

 

Indexes can also improve performance for queries that involve searching, filtering, sorting, and joining.

NonClustered

Clustered

Unique

Index with included columns

Filtered

Spatial

XML

Full-text

 

A primary key uniquely identifies each record in a table, preventing duplicate or NULL values in the specified column(s).  There will be only one primary key per table.

 

To create a Primary key

 

CREATE TABLE Production.TransactionHistoryArchive1

   (

      TransactionID int IDENTITY (1,1) NOT NULL

      , CONSTRAINT PK_TransactionHistoryArchive_TransactionID PRIMARY KEY CLUSTERED (TransactionID)

   )

;

 

The Unique Key (or, Unique constraint) does not allow duplicate values in a column of a table. It prevents two records from having same values in a column. There can be only one record with null value.

 

To create a Unique key,

 

CREATE TABLE Employees (

    EmployeeID INT PRIMARY KEY,

    Email VARCHAR(255) UNIQUE,  -- Unique constraint on Email

    PhoneNumber VARCHAR(15) UNIQUE -- Unique constraint on PhoneNumber

);

 

 

A clustered index determines the physical order of the data rows in the table. The table's data is stored in the order of the clustered index key.

 

A non-clustered index is a separate structure from the actual data rows. It contains a pointer to the location of the data in the table but does not affect the physical storage order of the rows.

 

In clustered Index, The data is stored in the same order as the clustered index. A table can have only one clustered index because the data can only be sorted in one order.

 

Non-clustered indexes store a copy of the indexed column values along with a pointer.

 

The clustered index is the table itself (or part of it). When a clustered index is created on a column, the data in the table is physically rearranged based on the indexed column.

 

The non-clustered index is stored as a separate structure from the data, and you can create multiple non-clustered indexes on a table.

 

When a primary key is defined on a table, it automatically creates a clustered index unless specified otherwise.

 

When a new index is created, it will be automatically Non_'Clustered. A table can have multiple non-clustered indexes

 

To create Clustered and Non clustered Index,

 

CREATE CLUSTERED INDEX IX_TestTable_TestCol1  

    ON dbo.TestTable (TestCol1);

 

CREATE NONCLUSTERED INDEX IX_TestTable_TestCol1  

    ON dbo.TestTable (TestCol1);

A heap is a table without a clustered index.

 

Do not use a heap when the data is frequently returned in a sorted order.

 

Do not use a heap when ranges of data are frequently queried from the table.

 

Do not use a heap when there are no nonclustered indexes and the table is large.

 

Do not use a heap if the data is frequently updated

A unique index guarantees that the index key contains no duplicate values and therefore every row in the table is in some way unique.

 

Multicolumn unique indexes guarantee that each combination of values in the index key is unique.

 

For example, if a unique index is created on a combination of LastNameFirstName, and MiddleName columns, no two rows in the table could have the same combination of values for these columns.

 

To create it,

 

CREATE UNIQUE INDEX AK_UnitMeasure_Name  

   ON Production.UnitMeasure (Name); 

A filtered index is an optimized nonclustered index especially suited to cover queries that select from a well-defined subset of data. 

 

Advantages :-

 

Improved query performance and plan quality

Reduced index maintenance costs

Reduced index storage costs

 

CREATE NONCLUSTERED INDEX FIBillOfMaterialsWithEndDate

    ON Production.BillOfMaterials (ComponentID, StartDate)

    WHERE EndDate IS NOT NULL ;

SELECT ComponentID, StartDate FROM Production.BillOfMaterials 

    WITH ( INDEX ( FIBillOfMaterialsWithEndDate ) )  

WHERE EndDate IN ('20000825', '20000908', '20000918');  

A sequence is a user-defined schema-bound object that generates a sequence of numeric values according to the specification with which the sequence was created.

 

CREATE TABLE Orders 

    (OrderID int PRIMARY KEY, 

    Name varchar(20) NOT NULL, 

    Qty int NOT NULL); 

GO 

CREATE SEQUENCE CountBy1 

    START WITH

    INCREMENT BY 1 ; 

GO 

INSERT Orders (OrderID, Name, Qty) 

    VALUES (NEXT VALUE FOR CountBy1, 'Tire', 2) ; 

INSERT Orders (OrderID, Name, Qty) 

    VALUES (NEXT VALUE FOR CountBy1, 'Seat', 1) ; 

INSERT Orders (OrderID, Name, Qty) 

    VALUES (NEXT VALUE FOR CountBy1, 'Brake', 1) ; 

Spatial data represents information about the physical location and shape of geometric objects.

 

SQL Server supports two spatial data types: the geometry data type and the geography data type.

 

A stored procedure in SQL Server is a precompiled collection of one or more SQL statements that can be executed as a single unit.

Stored procedures are used to perform a task or a set of tasks in the database, such as querying data, inserting, updating, or deleting records.

 

Reduced server/client network traffic

Stronger security

Reuse of code

Easier maintenance

Improved performance

1. User-defined - means user created

 

2. Temporary

 

temporary procedures are stored in tempdb.

 

There are two types of temporary procedures: local and global. They differ from each other in their names, their visibility, and their availability

3. System

 They are physically stored in the internal, hidden Resource 

Status Code

Output parameters

Result sets (tables)

Table-Valued Parameters

To recompile a stored procedure in SQL Server, you can use the sp_recompile system stored procedure or explicitly recompile the procedure using the WITH RECOMPILE option when executing the stored procedure.

EXEC sp_recompile 'YourStoredProcedureName';  // first method

EXEC YourStoredProcedureName WITH RECOMPILE;  // second method

The purpose of Recompilation :

Recompiling stored procedures is typically done when the execution plan for the procedure may be outdated, when schema changes are made (like changing table structures), or when performance tuning is needed.

UNIQUE constraints and CHECK constraints

CHECK constraints enforce domain integrity by limiting the values that are accepted by one or more columns

A trigger is a special kind of stored procedure that automatically runs when a specified event occurs on a table or view.

Triggers are used to enforce business rules, data validation, auditing, or logging changes to the data. They can be set to fire on the following types of events:

INSERT

UPDATE

DELETE

There are commonly 3 types of triggers.

1. DML Triggers (Data Manipulation Language Triggers): These include INSERT, UPDATE, and DELETE triggers. They are used to handle data changes.

They are of 2 types -

AFTER Trigger - Executes after the DML operation

INSTEAD OF Trigger: -

Executes in place of the DML operation. It allows you to override the operation completely, for example, to redirect a DELETE operation to a different action.

2. LOGON / LOGOFF Triggers

These are fired when a user logs into or logs off from the SQL Server instance. They are typically used for auditing or monitoring.

3. DDL Triggers (Data Definition Language Triggers):

These triggers are fired in response to changes in database structure (e.g., CREATE, ALTER, DROP commands).

Sample Code for DML after trigger

CREATE TRIGGER TriggerName

ON TableName

AFTER INSERT, UPDATE, DELETE

AS

BEGIN

    -- Trigger logic goes here

    PRINT 'Trigger executed'

END

Sample code for DML Instead of Trigger

CREATE TRIGGER TriggerName

ON TableName

INSTEAD OF INSERT, UPDATE, DELETE

AS

BEGIN

    -- Trigger logic goes here

    PRINT 'Instead of operation executed'

END

Information about an event that fires a DDL trigger is captured by using the EVENTDATA function.

This function returns an xml value. The XML schema includes information about the following:

  • The time of the event.
  • The System Process ID (SPID) of the connection when the trigger executed.
  • The type of event that fired the trigger

You can use the EVENTDATA function to create a log of events.

They are routines that accept parameters, perform an action, such as a complex calculation, and return the result of that action as a value.

 

The return value can either be a single scalar value or a result set.

 

Main features :

 

User-defined functions cannot be used to perform actions that modify the database state.

 

User-defined functions can not return multiple result sets. 

 

A UDF does not support TRY...CATCH, @ERROR or RAISERROR.

 

User-defined functions cannot call a stored procedure, but can call an extended stored procedure.

 

User-defined functions cannot make use of dynamic SQL or temp tables. Table variables are allowed.

 

SET statements are not allowed in a user-defined function.

 

Benefits :

 

They allow modular programming.

They allow faster execution.

They can reduce network traffic.

There are 3 types of USFs

 

Table-Valued Functions

 

Scalar-valued Function

 

System Functions

 

CREATE FUNCTION supports a SCHEMABINDING clause that binds the function to the schema of any objects it references, such as tables, views, and other user-defined functions.

 

An attempt to alter or drop any object referenced by a schema-bound function fails.

In SQL Server, a view is a virtual table that provides a way to simplify complex queries, encapsulate data logic, and present data from one or more tables in a way that is easier to work with.

A view does not store the data itself but instead stores the SQL query that retrieves the data whenever the view is queried.

Benefits :

Simplify Complex Queries: A view can abstract complex joins, aggregations, or subqueries.

Security: You can restrict access to sensitive columns or data by granting access to the view instead of the underlying table.

Consistency: Views provide a consistent interface to the data, even if the underlying schema changes.

Sample code to create it :-

CREATE VIEW ITDepartmentEmployees AS

SELECT EmployeeID, FirstName, LastName, Department

FROM Employees

WHERE Department = 'IT';

 

Indexed Views

 

An indexed view is a view that has been materialized. This means the view definition has been computed and the resulting data stored just like a table.

 

Partitioned Views

 

A partitioned view joins horizontally partitioned data from a set of member tables across one or more servers.

 

System Views

 

System views expose catalog metadata

A cursor is a database object used to retrieve, manipulate, and navigate through a result set row by row.

 

It provides a way to work with individual rows returned by a query, which is useful when you need to perform operations on each row sequentially, rather than working with the entire result set at once.

Types of cursor

Forward-Only Cursor:

Moves sequentially forward through the result set.

Static Cursor:

Provides a snapshot of the result set and does not reflect changes made to the underlying data.

Dynamic Cursor:

Reflects all changes made to the rows in the result set.

Keyset-Driven Cursor:

Reflects changes to the data but not to the structure.

Advantages :-

Allow row-by-row processing, which is useful in certain scenarios.

Provide flexibility when working with complex logic.

 disadvantages :-

Slower than set-based operations because they process rows one at a time.

Consume more resources, such as memory and processing power.

Inner join

 

Retrieves rows that have matching values in both tables.

 

Left outer join

 

Retrieves all rows from the left table and the matching rows from the right table. If there's no match, NULL values are returned for columns from the right table.

 

Right outer join

 

Retrieves all rows from the right table and the matching rows from the left table. If there's no match, NULL values are returned for columns from the left table.

 

Full outer join

 

Retrieves all rows when there is a match in either table. Rows with no match in either table will have NULLs for the missing matches.

 

Cross join

Produces a Cartesian product of the two tables, meaning every row in the first table is combined with every row in the second table.

A subquery is a query that is nested inside a SELECTINSERTUPDATE, or DELETE statement, or inside another subquery. A subquery can be used anywhere an expression is allowed.

Types of Subqueries

Scalar Subquery: Returns a single value (e.g., a number or string).

Row Subquery: Returns a single row with one or more columns.

Table Subquery: Returns a result set with multiple rows and columns.

Sample Code :

SELECT EmployeeID, EmployeeName

FROM Employees

WHERE DepartmentID = (SELECT DepartmentID FROM Departments WHERE DepartmentName = 'HR');

Features of sub query :

The ntexttext, and image data types cannot be used in the select list of subqueries.

 

cannot include GROUP BY and HAVING clauses.

The DISTINCT keyword cannot be used with subqueries that include GROUP BY.

 

The COMPUTE and INTO clauses cannot be specified.

 

ORDER BY can only be specified when TOP is also specified.

 

A view created by using a subquery cannot be updated.

 

A correlated subquery in SQL Server is a type of subquery that depends on values from the outer query. Unlike a standard subquery, which is executed independently, a correlated subquery is evaluated once for each row processed by the outer query.

Sample Code :

SELECT e.EmployeeID, e.Name, e.Salary, e.DepartmentID

FROM Employees e

WHERE e.Salary > (

    SELECT AVG(e2.Salary)

    FROM Employees e2

    WHERE e2.DepartmentID = e.DepartmentID

);

When to Use Correlated Subqueries:-

When you need a simple and readable query for small datasets.

When the logic naturally fits the structure of a correlated subquery.

Database normalization is the process of restructuring a relational database in accordance with a series of so-called normal forms in order to reduce data redundancy and improve data integrity.

In SQL Server (or any relational database), normalization is the process of organizing data in a database to reduce redundancy and improve data integrity. This is done by structuring the database according to a series of rules called normal forms (NFs). Each normal form builds on the previous one, introducing stricter constraints.

There are multiple types of normal forms:

First Normal Form (1NF):

A table is in 1NF if:

All columns contain only atomic (indivisible) values.

Each column contains values of a single type.

Each column has a unique name.

Second Normal Form (2NF):

A table is in 2NF if:

It is in 1NF.

All non-key attributes are fully functionally dependent on the primary key (i.e., there is no partial dependency).

Third Normal Form (3NF):

A table is in 3NF if:

It is in 2NF.

No transitive dependency exists (non-key attributes depend only on the primary key).

Boyce-Codd Normal Form (BCNF):

A table is in BCNF if:

It is in 3NF.

Every determinant (a column that determines another column) is a candidate key.

Fourth Normal Form (4NF):

A table is in 4NF if:

It is in BCNF.

It has no multi-valued dependencies.

Fifth Normal Form (5NF):

A table is in 5NF if:

It is in 4NF.

It can be decomposed into smaller tables without losing data or introducing redundancy.

These levels define the degree to which the transactions are isolated from one another. They control how changes made by one transaction are visible to others and how data consistency is maintained.

1. READ UNCOMMITTED:

Transactions can read data that has been modified but not yet committed by other transactions.

Allows "dirty reads."

Least restrictive and highest performance but least data integrity.

2. READ COMMITTED (Default in SQL Server):

Ensures that a transaction cannot read data that is being modified by another transaction until it is committed.

Prevents dirty reads.

Uses shared locks or row versioning depending on the configuration.

3. REPEATABLE READ:

Ensures that if a transaction reads a row, no other transaction can modify that row until the transaction completes.

Prevents dirty reads and non-repeatable reads.

4. SERIALIZABLE:

The most restrictive isolation level.

Ensures full isolation by placing range locks on the data to prevent other transactions from inserting, updating, or deleting rows in the range of data read by the transaction.

Prevents dirty reads, non-repeatable reads, and phantom reads.

5. SNAPSHOT:

Provides transaction-level versioning using row versions stored in tempdb.

Transactions read the committed data as it was at the start of the transaction, ensuring no locking is required for reads.

Prevents dirty reads, non-repeatable reads, and phantom reads but does not use locks.

Atomicity, Consistency, Isolation, and Durability. These properties ensure reliable transaction processing, even in the face of errors or system crashes.

1. Atomicity:

Ensures that all parts of a transaction are completed successfully. If any part fails, the entire transaction is rolled back.

2. Consistancy:

Guarantees that a transaction brings the database from one valid state to another. Any transaction must maintain database rules, such as constraints.

3. Isolation :

Ensures that concurrent transactions do not interfere with each other. The isolation level determines how transaction interference is managed.

4. Durablility :

Ensures that once a transaction is committed, it is permanently recorded, even in the event of a system failure.

Lock modes are mechanisms used by the database engine to ensure data consistency and integrity while allowing multiple users to access and modify the data concurrently.

Locks are applied to resources such as rows, pages, or tables. There are different types of lock modes. They are

1. Shared Lock (S)

Allows multiple transactions to read the same resource (e.g., row, page, or table) concurrently.

It is mainly used in Read operations like SELECT.

2. Exclusive Lock (X)

 Ensures that a resource is accessed exclusively by a single transaction.

Prevents other transactions from acquiring shared, update, or exclusive locks on the same resource.

It  is used in Modifications like INSERT, UPDATE, and DELETE.

3. Update Lock (U)

 Prevents deadlocks during read-to-update scenarios by locking the resource in an intermediate state.

It is mainly Used in operations where a resource might be read and then updated.

4. Intent Locks (IS, IX, SIX)

Intent locks are hierarchical locks used to signal a higher-level lock on a resource.

5. Schema Locks (Sch-S, Sch-M)

Schema locks are used for operations that involve the schema of a table.

6. Bulk Update Lock (BU)

Optimizes bulk insert operations by minimizing locking overhead.

7. Key-Range Locks

Protects ranges of rows to maintain serializability in transaction isolation levels like SERIALIZABLE.

CAST and CONVERT are both used to convert data from one type to another.

CAST:

ANSI-SQL compliant (portable across different database systems).

Primarily used for straightforward data type conversion.

Does not support format styles for specific data types (e.g., date/time or money).

CONVERT:

SQL Server-specific functionality.

Offers more control through an optional style argument for formatting, particularly for date/time or string representations.

Used when specific formatting or a non-standard conversion is required.

An aggregate functions perform a calculation on a set of values and return a single value.

These functions are often used in conjunction with the GROUP BY clause to summarize data.

Examples :

  • 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.

 

It is a user-defined function that returns a single value (scalar value) such as an integer, string, or date.

Examples :

  • 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

 

Collation refers to the set of rules that determine how data is sorted and compared.

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
  • Collation refers to the set of rules that determine how data is sorted and compared.

    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
    •  

UPDATE_STATISTICS command is used to update the indexes on the tables when there is a large amount of deletions or modifications or bulk copy occurred in indexes.

VARCHAR and NVARCHAR are both data types used to store string data

VARCHAR

It stores non-Unicode data. Each character takes 1 byte of storage

It can store only characters from the system's current code page.

It's best used when the data will only contain characters from a single language or character set (e.g., English).

NVARCHAR (National Variable Character):

 It stores Unicode data. Each character takes 2 bytes of storage.

 It can store characters from any language or character set, making it more flexible and suitable for multilingual data.

Use NVARCHAR if you need to store data in multiple languages

Microsoft SQL Server supports the below Unicode data types:

  • nchar
  • nvarchar
  • ntext

An execution plan is a collection of steps that SQL Server uses to retrieve data.

Types of Execution Plans:-

Estimated Execution Plan: This plan is generated without actually running the query. It shows how SQL Server estimates it will execute the query.

Actual Execution Plan: This plan is generated after the query is executed and shows the actual execution details, including the number of rows processed and any issues encountered during execution.

It is used to trace activities and operations executed on a specific SQL Server database engine or Analysis Service to be analyzed later.

It that allows you to monitor and analyze the events and queries being executed on a SQL Server instance. It helps in diagnosing performance issues, troubleshooting queries, and auditing database activity.

It is a tool used to analyze and optimize the performance of queries and databases.

it  is basically a tool that helps you figure out if additional indexes are helpful as well as partitioning.

Temp table exists for the duration of the session or the connection.

Table variable exists only within the scope of the batch, function, or stored procedure in which it is declared.

Temp table Can be indexed, which can help with performance for large datasets.

Table variable Cannot have explicit indexes (except for primary key or unique constraints).

Temp table can have statistics, which helps the SQL Server query optimizer.

Table variable does not have statistics, which can sometimes lead to suboptimal query plans.

In the case of Temp table, fully logged in the transaction log, which can affect performance if large amounts of data are being inserted.

In the case of Table variable, only minimal logging happens.

Temp table can have indexes, foreign keys, and constraints (like CHECK or DEFAULT).

Table variable can have primary keys and unique constraints, but cannot have foreign keys or other constraints like a temporary table.

In Temp table, The data in a temp table persists throughout the session until explicitly dropped or the session ends.

In Table variable, Data is visible only within the scope of the batch, function, or stored procedure. Once the scope ends, the data is automatically removed.

In Temp table,lLocal temporary tables are session-specific, so different sessions can have the same table name without interfering with each other.

In Table variable,each session or batch has its own separate instance of a table variable, and it’s not shared across sessions.

Both temp tables and table variables are used for temporary data storage and exist only for the duration of the session or scope of the procedure. They are both cleared automatically when the session or procedure ends.

Both can be used in SELECT, INSERT, UPDATE, DELETE, and JOIN queries like regular tables.

Both are structured similarly to normal tables, with columns and data types defined when created.

Both can be used within a single session or stored procedure.

They are automatically dropped once the scope ends.

It is used with stored procedures or dynamic SQL execution to explicitly suppress the result sets returned by the query.

This can be useful in scenarios where you know the procedure or query generates result sets, but you don’t want them to be returned to the caller.

Sample Code :

CREATE PROCEDURE TestProcedure

AS

BEGIN

    SELECT 'This is a result set';

END;

 

-- Execute the procedure but suppress the result set

EXEC TestProcedure

WITH RESULT SETS NONE;

Normally, TestProcedure would return a result set containing "This is a result set."

By appending WITH RESULT SETS NONE, the result set is suppressed, and nothing is returned to the caller.

INFORMATION_SCHEMA is a system schema in SQL Server that provides metadata about database objects such as tables, columns, views, and other structures

For eg, If you want to see the metadata of  all tables,

SELECT *

FROM INFORMATION_SCHEMA.TABLES

WHERE TABLE_TYPE = 'BASE TABLE';

To get details about each column in a table or view,

SELECT *

FROM INFORMATION_SCHEMA.COLUMNS

WHERE TABLE_NAME = 'YourTableName';

To get information about table constraints such as primary keys, foreign keys, and unique constraints in a db,

The following command gives the information about all primary keys in all tables in a db.

SELECT *

FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS

WHERE CONSTRAINT_TYPE = 'PRIMARY KEY';

To get all views in all tables in a db,

SELECT *

FROM INFORMATION_SCHEMA.VIEWS;

The NEWID() function is used to generate a new, unique identifier (GUID) for a row.

 

A GUID (Globally Unique Identifier) is a 128-bit unique identifier that is typically used as a primary key or unique identifier for database records.

Sample Code :

CREATE TABLE ExampleTable (

    ID uniqueidentifier DEFAULT NEWID(),

    Name NVARCHAR(50)

);

 

INSERT INTO ExampleTable (Name)

VALUES ('John Doe');

The GETUTCDATE() function is used to retrieve the current Coordinated Universal Time (UTC) date and time.

Keep in mind that the result of GETUTCDATE() is based on the current system time of the SQL Server instance.

The ROW_NUMBER() function is a window function that assigns a unique, sequential integer to rows within a result set, based on the specified ordering of the rows.

Sample Code :

SELECT

   ROW_NUMBER() OVER (

          ORDER BY first_name

   ) row_num,

   first_name,

   last_name,

   city

FROM

   Customers;

 

ROW_NUMBER() over partitions sample :-

SELECT

   first_name,

   last_name,

   city,

   ROW_NUMBER() OVER (

      PARTITION BY city

      ORDER BY first_name

   ) row_num

FROM

   sales.customers

ORDER BY

   city;

here, customers are divided into partitions by city. The row number was reinitialized when the city changed.

RANK(), DENSE_RANK(), and NTILE() are all ranking functions that are part of the window functions. They are used to assign a rank or group to rows within a result set, based on the specified ORDER BY clause within a PARTITION BY clause .

1. RANK()

Assigns a rank to each row within a partition of a result set.

If there are ties, the same rank is assigned to the tied rows, but the next rank is skipped.

Sample Code

SELECT

    EmployeeID,

    DepartmentID,

    Salary,

    RANK() OVER (PARTITION BY DepartmentID ORDER BY Salary DESC) AS Rank

FROM Employees;

2. DENSE_RANK()

Assigns a rank to each row within a partition of a result set.

If there are ties, the same rank is assigned to the tied rows, but the next rank is not skipped.

Tied rows still receive the same rank, but the next rank is consecutive.

Sample Code

SELECT

    EmployeeID,

    DepartmentID,

    Salary,

    DENSE_RANK() OVER (PARTITION BY DepartmentID ORDER BY Salary DESC) AS DenseRank

FROM Employees;

3. NTILE()

Divides the result set into a specified number of approximately equal groups or "tiles."

Assigns a group number to each row, starting from 1 to the number specified in the function.

Sample Code

SELECT

    EmployeeID,

    DepartmentID,

    Salary,

    NTILE(4) OVER (ORDER BY Salary DESC) AS Tile

FROM Employees;

In SQL Server, a Common Table Expression (CTE) is a named temporary result set that you can reference within a SELECT, INSERT, UPDATE, or DELETE statement. CTEs make complex queries more readable and easier to maintain by breaking them down into smaller, named pieces.

Features of CTE :-

A CTE must be followed by a single SELECT, INSERT, UPDATE, or DELETE statement that references some or all the CTE columns

A CTE can reference itself and previously defined CTEs in the same WITH clause.

Specifying more than one WITH clause in a CTE isn't allowed

The following clauses can't be used in the CTE_query_definition:

ORDER BY (except when a TOP clause is specified)

INTO

OPTION clause with query hints

FOR BROWSE

When a CTE is used in a statement that is part of a batch, the statement before it must be followed by a semicolon.

Tables on remote servers can be referenced in the CTE.

 

The following example shows the total number of sales orders per year for each sales representative at Adventure Works Cycles.

-- Define the CTE expression name and column list.

WITH Sales_CTE (SalesPersonID, SalesOrderID, SalesYear)

AS

-- Define the CTE query.

(

    SELECT SalesPersonID, SalesOrderID, YEAR(OrderDate) AS SalesYear

    FROM Sales.SalesOrderHeader

    WHERE SalesPersonID IS NOT NULL

)

-- Define the outer query referencing the CTE name.

SELECT SalesPersonID, COUNT(SalesOrderID) AS TotalSales, SalesYear

FROM Sales_CTE

GROUP BY SalesYear, SalesPersonID

ORDER BY SalesPersonID, SalesYear;

The STRING_SPLIT function in SQL Server is used to split a string into rows based on a specified separator. This function was introduced in SQL Server 2016.

Sample Code

DECLARE @string NVARCHAR(MAX) = 'apple,banana,cherry';

SELECT value

FROM STRING_SPLIT(@string, ',');

@@TRANCOUNT is a system function in SQL Server that returns the current transaction count for the current session. The transaction count is incremented by 1 each time a transaction is started and decremented by 1 each time a transaction is committed or rolled back.

What is FOR JSON PATH clause in Select statement ?

The FOR JSON PATH clause in SQL Server is used to format query results as JSON. This is especially useful for building JSON structures directly from SQL queries, which can be consumed by applications or APIs.

Sample Code

SELECT id, name

FROM Users

FOR JSON PATH;

Result will be

[

  { "id": 1, "name": "John Rambo" },

  { "id": 2, "name": "Jane Doe" }

]

We can also use for Nested Json.

SELECT

    id AS "UserID",

    name AS "UserName",

    (SELECT phone, email FROM Contacts WHERE Contacts.UserID = Users.id FOR JSON PATH) AS "ContactInfo"

FROM Users

FOR JSON PATH;

select  a.deptName,b.EmpName from Dept a left outer join Emp b on a.DeptId = b.DeptId group by a.DeptName,b.EmpName

SELECT TOP 1 D.DeptName,sum(E.Salary) AS MaxSal

FROM            emp E

JOIN             dept D

ON                          E.DeptId       =        D.DeptId

GROUP BY    D.DeptName

ORDER BY    sum(E.Salary) DESC

select b.DeptName,EmpName,Salary from Emp a inner join Dept b on a.DeptId = b.DeptId where a.Salary = (select max(salary) from Emp b where a.DeptId = b.DeptId)

SELECT TOP 1 D.DeptName,count(E.DeptId) AS MaxSal

FROM            emp E

JOIN             dept D

ON                          E.DeptId       =        D.DeptId

GROUP BY    D.DeptName

ORDER BY    sum(E.DeptId) DESC

The PIVOT operator in SQL Server is used to transform rows into columns, which is especially useful for summarizing and reorganizing data.

 

It allows you to perform aggregations and display the results in a more readable, tabular format.

 

Sample Code

 

Sales table

 

Product         Region          SalesAmount

 

ProductA       East    100

ProductA       West   200

ProductB       East    150

ProductB       West   250

 

 To pivot this table so that regions (Region) become columns.

 

SELECT Product, [East], [West]

FROM

    (SELECT Product, Region, SalesAmount FROM Sales) AS SourceTable

PIVOT

    (

        SUM(SalesAmount)

        FOR Region IN ([East], [West])

    ) AS PivotTable;

 

Result will be

 

Product         East    West

 

ProductA       100     200

ProductB       150     250

 

In SQL Server, a deadlock occurs when two or more processes block each other by holding locks on resources that the other processes need to complete their work.

This situation causes all involved processes to wait indefinitely, as none can proceed without the other releasing the necessary locks.

Steps to reduce deadlocks in sql server:

 

Ensure that all transactions access resources in the same order to avoid circular dependencies.

Keep transactions short and efficient.

Avoid holding locks longer than necessary.

Optimize queries with appropriate indexes to minimize the number of locked rows or pages.

Avoid waiting for user input during a transaction

Use READ COMMITTED SNAPSHOT or SNAPSHOT isolation levels to reduce locking issues.

Reduce contention by splitting large resources into smaller partitions.

Retry Logic: - Implement retry logic in your application. When a deadlock occurs, catch the deadlock error, wait for a short period, and then retry the transaction. Ensure that the retry mechanism is carefully implemented to avoid creating a loop of deadlocks.

 

It is used to return the current date and time, based on the server's system clock. It is equivalent to GETDATE().

 

If you need only the date or the time, you can use the CAST or CONVERT functions to extract the specific part

 

SELECT CAST(CURRENT_TIMESTAMP AS DATE);  // to get only date

 

SELECT CAST(CURRENT_TIMESTAMP AS TIME);  // to get only time

You can use multiple methods for this.

 

The @@identity function returns the last identity created in the same session.

 

The scope_identity() function returns the last identity created in the same session and the same scope.

 

The ident_current(name) returns the last identity created for a specific table or view in any session.

ROLLUP is a type of grouping operation that allows you to generate subtotals and grand totals in a result set.

 

It is used in conjunction with the GROUP BY clause to perform hierarchical aggregations. 

 

The ROLLUP operator produces summary rows that represent intermediate and grand totals for the grouped columns.

 

 

 

 

 

A covering index is a non-clustered index which includes all columns referenced in the query.

The optimizer does not have to perform an additional lookup to the table in order to retrieve the data requested. As the data requested is all indexed by the covering index, it is a faster operation.

Sample code :

Orders Table

Columns :-

OrderID (Primary Key)

CustomerID

OrderDate

TotalAmount

CREATE NONCLUSTERED INDEX IX_Orders_CustomerID_OrderID

ON Orders (CustomerID)

INCLUDE (OrderID, TotalAmount);

The CustomerID column is part of the index key.

OrderID and TotalAmount are included in the index but not as key columns. This ensures that the index covers the query fully, preventing the need to access the table.

Benefits of Covering Index

Improved Performance

Less I/O:

Faster Queries:

A key lookup is an extra read which the query has to make in the absence of a suitable covering index.

What is COALESCE function ?

It is used to return the first non-NULL expression from a list of arguments. It takes multiple arguments and evaluates them in order.

Sample code:-

SELECT

    EmployeeID,

    COALESCE(PhoneNumber, 'No Phone Number') AS ContactNumber

FROM Employees;

if PhoneNumber is NULL for any employee, it will return 'No Phone Number'

COALESCE can take multiple arguments and returns the first non-NULL value, while ISNULL only takes two arguments and replaces NULL with a specified value.

COALESCE is ANSI SQL compliant, while ISNULL is specific to SQL Server.

Substring

Stuff

CharIndex

Left

Len

RTrim

Upper

Replace

A Table-Valued Function (TVF) in SQL Server is a user-defined function that returns a table data type.

It can be used like a table in SQL queries, allowing you to encapsulate reusable query logic.

There are two types of TVFs:

1.       Inline Table-Valued Functions

These are simpler and return a single SELECT statement as the result set.

No BEGIN/END block is required.

Sample Code

CREATE FUNCTION dbo.GetEmployeesByDepartment(@DepartmentID INT)

RETURNS TABLE

AS

RETURN

(

    SELECT EmployeeID, FirstName, LastName

    FROM Employees

    WHERE DepartmentID = @DepartmentID

);

SELECT * FROM dbo.GetEmployeesByDepartment(1);

2.       Multi-Statement Table-Valued Functions

These allow multiple SQL statements to populate the table to be returned.

Use a declared table variable within the function.

Sample Code

CREATE FUNCTION dbo.GetSalesByRegion(@RegionID INT)

RETURNS @SalesTable TABLE

(

    SaleID INT,

    ProductName NVARCHAR(100),

    SaleAmount DECIMAL(18, 2)

)

AS

BEGIN

    INSERT INTO @SalesTable

    SELECT SaleID, ProductName, SaleAmount

    FROM Sales

    WHERE RegionID = @RegionID;

       RETURN;

END;

SELECT * FROM dbo.GetSalesByRegion(2);

It is used in the context of a view to enforce data integrity.

It ensures that any INSERT or UPDATE operation performed on the view adheres to the view's WHERE clause condition.

It Enforces Consistency

It Prevents Invalid Updates or Inserts

Sample Code

CREATE VIEW ActiveEmployees AS

SELECT EmployeeID, Name, Status

FROM Employees

WHERE Status = 'Active';

if a user updates an employee's Status to 'Inactive' using the view, the operation will succeed, even though the row will no longer appear in the view after the update.

An indexed view in SQL Server is a database view that has a unique clustered index created on it.

This allows SQL Server to persist the view's result set to disk, which improves query performance by reducing the need to recalculate the view's results each time it's accessed.

It is used to encrypt the definition of certain database objects, such as stored procedures, functions, triggers, or views. 

When you use this option, the definition of the object is encrypted and cannot be viewed using system catalog views or other methods.

It is used to explicitly allow inserting values into an identity column.

By default, SQL Server automatically generates values for identity columns, but you can override this behavior temporarily using this command.

For enable this option,

SET IDENTITY_INSERT Employees ON;  // Employees is the table name

varchar(max), and nvarchar(max)

text, ntext, image, varbinary(max), and xml

bigint,numeric,bit,smallint,decimal,smallmoney,int,tinyint,money

constraints are rules enforced on table data to ensure data integrity and define relationships between tables. They are implemented at the column or table level,

They are  Primarykey, Foreign Key,Unique,Check,Default,Not Null.

They are virtual tables used in the context of triggers to store information about the data being modified during an INSERT, UPDATE, or DELETE operation.

These tables are accessible only within the scope of a trigger.

ALTER TABLE Table_Name NOCHECK CONSTRAINT ALL

ALTER TABLE Table_Name DISABLE TRIGGER Trigger_Name  

ALTER TABLE Table_Name DISABLE TRIGGER ALL

  

SELECT CONVERT(VARCHAR(25),DATEADD(DAY,-(DAY(GETDATE()))+1,GETDATE()),105) First_Date_Current_Month;

SELECT CONVERT(VARCHAR(25),DATEADD(DAY,-(DAY(GETDATE())),GETDATE()),105) Last_Date_Previous_Month;

SELECT CONVERT(VARCHAR(25),DATEADD(DAY,-(DAY(GETDATE())), DATEADD(MONTH,1,GETDATE())),105) Last_Date_Current_Month;

SELECT CONVERT(VARCHAR(25),DATEADD(DAY,-(DAY(GETDATE())), DATEADD(MONTH,1,GETDATE())+1),105) First_Date_Next_Month;

UPDATE Table_Name SET Column1=Column2, Column2=Column1

  

SELECT * FROM INFORMATION_SCHEMA.COLUMNS WHERE INFORMATION_SCHEMA.COLUMNS.TABLE_NAME='test007'

The SELECT INTO statement in SQL Server is used to create a new table and insert the result set of a SELECT query into that table.

This is particularly useful when you need to create a table on the fly based on the results of a query.

Sample Code

SELECT EmployeeID, FirstName, LastName

INTO ActiveEmployees

FROM Employees

WHERE IsActive = 1;

A checksum is a hash value calculated for a set of data. It is often used to verify the integrity of data or to detect changes.

SELECT CHECKSUM('Sample', 123, GETDATE()) AS ChecksumValue;

The CONVERT function is used to convert a value from one data type to another. If the conversion fails, it raises an error.

The TRY_CONVERT function attempts to convert a value to a specified data type. If the conversion fails, it returns NULL instead of raising an error.

The CONVERT function is used to convert a value from one data type to another. If the conversion fails, it raises an error.

The TRY_CONVERT function attempts to convert a value to a specified data type. If the conversion fails, it returns NULL instead of raising an error.

It returns last date of the current month.

Sameple Code

SELECT EOMONTH(GETDATE()) AS EndOfMonth;

SELECT EOMONTH('2024-05-15') AS EndOfMonth;

The CONCAT function is used to concatenate two or more strings into a single string

SELECT CONCAT('Hello, ', 'World!') AS Result;

-- Output: Hello, World!

it is used to  GRANT statement to assign specific permissions to users or roles.

To grant multiple permissions on a table:

GRANT SELECT, INSERT, UPDATE ON dbo.TableName TO UserName;

Make sure you have the necessary privileges to assign permissions.

To revoke a user's or a role's permissions , you can use the REVOKE statement. This statement removes previously granted or denied permissions from a principal (user, role, or group).

REVOKE SELECT ON dbo.MyTable FROM UserName;

CAST and TRY_CAST are functions used to convert an expression from one data type to another.

In cast, If the conversion fails, an error is raised.

In Try_cast, If the conversion fails, it returns NULL instead of raising an error.

CROSS APPLY is a powerful operator used to join a table with a table-valued function or a derived table.

It allows you to evaluate the right-side expression for each row of the left-side table, making it particularly useful when dealing with functions that return table results.

OUTER APPLY is a SQL Server operator used for joining a table with a table-valued function (TVF) or derived table.

 It includes rows from the left table, even if there are no matching rows in the right table (the derived table or TVF). If no rows are returned from the right side, NULL values will be included for those columns.

OPENJSON function is used  to parse JSON data and return the results as rows and columns. 
This function is particularly useful when you are working with JSON-formatted data stored in columns of a table.


Sample Code
DECLARE @json NVARCHAR(MAX) = '{
  "products": [
    {"name": "Product A", "price": 100},
    {"name": "Product B", "price": 150},
    {"name": "Product C", "price": 200}
  ]
}';


SELECT 
    Product.value('name', 'NVARCHAR(100)') AS ProductName,
    Product.value('price', 'INT') AS ProductPrice


FROM 


    OPENJSON(@json, '$.products') WITH (
        name NVARCHAR(100) '$.name',
        price INT '$.price'
    ) AS Product;

JSON_VALUE function is used  to extract a scalar value from a JSON string.

It allows you to query JSON data stored in a column or variable and retrieve a specific property.

Sample Code

Consider table with json value in one column

EmployeeID  EmployeeData

1        {"name":"John", "age":30, "department":"Sales"}

2        {"name":"Alice", "age":25, "department":"HR"}

To extract the "name" property from the EmployeeData column for all employees:

SELECT

    EmployeeID,

    JSON_VALUE(EmployeeData, '$.name') AS EmployeeName

FROM Employees;

COLUMNS_UPDATED() function is used within a trigger to determine which columns in a table were updated during an UPDATE operation.

Sample Code

CREATE TRIGGER trg_EmployeeUpdate

ON Employees

AFTER UPDATE

AS

BEGIN

    DECLARE @updated_columns INT

    SET @updated_columns = COLUMNS_UPDATED()

    -- Check if the 'Salary' column was updated (assuming it's the 4th column)

    IF (@updated_columns & (1 << 3)) > 0

    BEGIN

        PRINT 'Salary was updated.'

    END

    -- Check if the 'FirstName' column was updated (assuming it's the 2nd column)

    IF (@updated_columns & (1 << 1)) > 0

    BEGIN

        PRINT 'FirstName was updated.'

    END

END

The WITH TIES clause is used in conjunction with the TOP keyword to return the top rows based on a specified order, including rows that tie with the last row based on the sorting criteria.

Sample Code

SELECT TOP 5 WITH TIES

    FirstName,

    LastName,

    Salary

FROM Employees

ORDER BY Salary DESC;

The GROUP BY and HAVING clauses are often used together to group rows based on one or more columns and then filter the grouped results.

GROUP BY: Used to group rows that have the same values in specified columns into aggregated data, like sum, count, average, etc.

HAVING: Used to filter the results after grouping, i.e., it filters groups based on aggregate conditions.

Sample Code

To group the data by ProductID and only show products where the total sales amount is greater than 1000, the query would be:

SELECT ProductID, SUM(SalesAmount) AS TotalSales

FROM Sales

GROUP BY ProductID

HAVING SUM(SalesAmount) > 1000;

SET ROWCOUNT is used to limit the number of rows returned by a query or affected by a DELETE, UPDATE, or INSERT operation.

How can you implement a transaction in a stored procedure ?

Sample Code

BEGIN TRANSACTION;

-- Insert data into a table

INSERT INTO Employees (Name, Position, Salary)

VALUES ('John Doe', 'Manager', 80000);

-- Update another table

UPDATE Departments

SET Budget = Budget - 5000

WHERE DepartmentName = 'Sales';

if(@@ERROR > 0)

BEGIN

ROLLBACK

PRINT 'ERROR OCCURED' ;

RETURN

END

-- If everything is okay, commit the transaction

COMMIT TRANSACTION;

How to find Running Total of a column ?

Sample code

SELECT

    OrderID,

    OrderDate,

    Freight,

    SUM(Freight) OVER (ORDER BY OrderDate) AS RunningTotal

FROM

    Orders

ORDER BY

    OrderDate;

A cube typically refers to a multidimensional data structure used for online analytical processing (OLAP).

It allows you to organize and analyze large volumes of data by enabling you to view it from multiple perspectives, or dimensions.

Sample Code

SELECT

    ProductCategory,

    Region,

    SUM(SalesAmount) AS TotalSales

FROM Sales

GROUP BY

    ProductCategory,

    Region

WITH CUBE;

Here, the query calculates the total sales for each combination of ProductCategory and Region, along with subtotals and grand totals.

 

 

Let’s assume we have a table named Employees, and we want to remove duplicate rows based on the EmployeeName, Address, and Gender columns.

Table : Employees

Columns:

EmployeeId,EmployeeName,Address, Gender

WITH CTE AS (

    SELECT EmployeeID, EmployeeName, Address, Gender,

           ROW_NUMBER() OVER (PARTITION BY EmployeeName, Address, Gender ORDER BY EmployeeID) AS RowNum

    FROM Employees

)

DELETE FROM CTE WHERE RowNum > 1;

SELECT * FROM(

SELECT emp_name, salary, ROW_NUMBER()

over(ORDER BY salary DESC) AS ranking FROM employee) AS k

WHERE ranking=2;

select emp1.empid,emp1.empnamme,emp1.empfirstname from employee emp1 inner join

employee emp2 on emp1.managerid = emp2.empid

select emp.empid,emp.empfirstname,dept.deptname from employee emp full outer join

department dept on emp.departmentid = dept.departmentid

SELECT GroupName, SUM(ValueColumn) AS TotalSum

FROM YourTable

GROUP BY GroupName;

SELECT department_id, MAX(salary) AS highest_salary

FROM employees

GROUP BY department_id;

CASE statement is used to create conditional logic in your SQL queries.

It allows you to evaluate conditions and return specific values based on the outcome of those conditions.

Sample Code

SELECT

    ProductCategory,

    CASE ProductCategory

        WHEN 'Electronics' THEN 'Category 1'

        WHEN 'Clothing' THEN 'Category 2'

        ELSE 'Other Category'

    END AS CategoryLabel

FROM Products;

You can use Case statements in other DML statement also.

For example, While Updating a record,

UPDATE  Employee

 

SET VacationHours =

    ( CASE

         WHEN ((VacationHours - 10.00) < 0) THEN VacationHours + 40

         ELSE (VacationHours + 20.00)

       END

    )

WHERE SalariedFlag = 0;

@@ROWCOUNT is a system function that returns the number of rows affected by the last statement executed.

This function is useful to check how many rows were affected by a SELECT, INSERT, UPDATE, or DELETE statement.

-- Example with an UPDATE statement

UPDATE Employees

SET Salary = Salary + 1000

WHERE Department = 'Sales';

 

-- Check how many rows were updated

SELECT @@ROWCOUNT AS RowsAffected;

The EXISTS clause in SQL Server is used to check if a subquery returns any rows.

It is typically used with a WHERE condition to test whether a certain condition or subquery has matching rows.

The EXISTS clause returns a Boolean value: TRUE if the subquery returns one or more rows, and FALSE if it returns no rows.

Sample Code

SELECT a.FirstName, a.LastName 

FROM Person.Person AS a 

WHERE EXISTS 

(SELECT *  

    FROM HumanResources.Employee AS b 

    WHERE a.BusinessEntityID = b.BusinessEntityID 

    AND a.LastName = 'Johnson') ; 

A derived table is a temporary table that is created in the FROM clause of a query.

It allows you to perform intermediate queries or calculations and use the result in the main query, without permanently storing the result in a physical table

Sample code

SELECT dt.ProductID, dt.TotalSales

FROM (

    SELECT ProductID, SUM(SalesAmount) AS TotalSales

    FROM Sales

    GROUP BY ProductID

) AS dt

WHERE dt.TotalSales > 1000;

This query is to get the total sales per product.

Clustered indexes sort and store the data rows in the table based on their key values.

There can only be one clustered index per table, because the data rows themselves can only be sorted in one order.

User-defined functions cannot be used to perform actions that modify the database state.

User-defined functions cannot contain an OUTPUT INTO clause that has a table as its target.

User-defined functions can not return multiple result sets.

A UDF does not support TRY…CATCH, @ERROR or RAISERROR.

User-defined functions cannot call a stored procedure, but can call an extended stored procedure.

User-defined functions cannot make use of dynamic SQL or temp tables. Table variables are allowed.

SET statements are not allowed in a user-defined function.

The FOR XML clause is not allowed

User-defined functions can be nested; that is, one user-defined function can call another.

image, ntext, text, varchar(max), nvarchar(max), varbinary(max), and xml.

Entity integrity  - Primary key,Unique key,Unique constrant

Domain integrity - CHECK,Not Null

Referential integrity - FOREIGN KEY

User-defined integrity - all column-level and table-level constraints in CREATE TABLE, stored procedures, and triggers.

Online - Database is available for access.

Offline - Database is unavailable.

Suspect - At least the primary filegroup is suspect and may be damaged.

You can create views only in the current database.

However, the tables and views referenced by the new view can exist in other databases or even other servers if the view is defined using distributed queries.

View name must not be the same as any tables contained by that schema.

You can build views on other views. Microsoft SQL Server allows views to be nested. Nesting may not exceed 32 levels.

You cannot associate rules or DEFAULT definitions with views.

You cannot associate AFTER triggers with views, only INSTEAD OF triggers.

The query defining the view cannot include the COMPUTE or COMPUTE BY clauses, or the INTO keyword.

The query defining the view cannot include the ORDER BY clause, unless there is also a TOP clause in the select list of the SELECT statement.

You cannot define full-text index definitions on views.

You cannot create temporary views, and you cannot create views on temporary tables.

Views, tables, or functions participating in a view created with the SCHEMABINDING clause cannot be dropped, unless the view is dropped or changed so that it no longer has schema binding.

You cannot issue full-text queries against a view.

Computed columns not allowed.

Joins are not allowed.

Multiple tables are not allowed.

Complex logic in a predicate is not allowed.

Filtered indexes are useful when columns contain well-defined subsets of data that queries reference in SELECT statements.

The CREATE TRIGGER statement must be the first statement in the batch.

Permission to create DML triggers defaults to the table owner, who cannot transfer it to other users.

You can create a DML trigger only in the current database, although a DML trigger can reference objects outside of the current database.

A DML trigger cannot be created on a temporary or system table, although DML triggers can reference temporary tables. System tables should not be referenced;

INSTEAD OF DELETE and INSTEAD OF UPDATE triggers cannot be defined on a table that has a foreign key defined with a DELETE or UPDATE action.

TRUNCATE TABLE Statement does not cause DELETE triggers to fire because the TRUNCATE TABLE statement is not logged.

The WRITETEXT statement does not cause the INSERT or UPDATE triggers to fire.

A table can have multiple AFTER triggers of a given type provided they have different names; each trigger can perform numerous functions.

However, each trigger can apply to only one table, although a single trigger can apply to any subset of three user actions (UPDATE, INSERT, and DELETE).

A table can have only one INSTEAD OF trigger of a given type.

Any modifications, including UPDATE, INSERT, and DELETE statements, must reference columns from only one base table.

The columns that are being modified in the view must reference the underlying data in the table columns directly.

The columns that are being modified cannot be affected by GROUP BY, HAVING, or DISTINCT clauses.

TOP cannot be used anywhere in the select_statement of the view when WITH CHECK OPTION is also specified.

select * from EMPLOYEE where exists (select * from INCENTIVES)

select * from EMPLOYEE where EMPLOYEE_ID INTERSECT select * from EMPLOYEE where EMPLOYEE_ID < 4

DELETE TOP(10)

FROM employees

WHERE last_name = 'Anderson';

What is Except operator ?

The SQL Server EXCEPT operator is used to return all rows in the first SELECT statement that are not returned in the second SELECT statement.

Each SELECT statement must have the same number of fields in the result sets with similar data types.

Sample Code

SELECT product_id

FROM products

EXCEPT

SELECT product_id

FROM inventory;

This EXCEPT operator example returns all product_id values that are in the products table and not in the inventory table.

Temporary tables are used to store temporary data. These tables are similar to regular tables, but they exist only for the duration of a session or a specific scope. They are 2 types local & global

Local Temporary Tables properties

Exists only for the session or connection that created it.

Other sessions cannot see or access it.

Automatically dropped when the session ends or the table is explicitly dropped.

Global Temporary Tables properties

Available to all sessions and connections.

Exists until the session that created it ends, and no other active sessions are using it.

Explicitly useful for sharing data between sessions.

What are the difference between UNION and UNION ALL ?

In Union,

Combines the result sets and automatically removes duplicate rows.

In Union All.,

Combines the result sets and keeps all rows, including duplicates.

Because duplicates are not removed, UNION ALL is faster, especially for large datasets.

Clustered

Nonclustered

Unique

Full-text

Spatial

Filtered

Xml

1. Primary

The primary data file contains the startup information for the database and points to the other files in the database.

User data and objects can be stored in this file or in secondary data files. Every database has one primary data file. The recommended file name extension for primary data files is .mdf.

2.       Secondary

Secondary data files are optional, are user-defined, and store user data

The recommended file name extension for secondary data files is .ndf.

3.       Transaction Log

The transaction log files hold the log information that is used to recover the database. There must be at least one log file for each database.

The recommended file name extension for transaction logs is .ldf.

What is IGNORE_DUP_KEY Option on Index or Constraint ?

When creating a unique index or constraint, you can include the IGNORE_DUP_KEY option. This allows SQL Server to ignore rows that would cause a duplicate key violation.

CREATE UNIQUE INDEX IX_YourTable_Column

ON YourTable (YourColumn)

WITH (IGNORE_DUP_KEY = ON);

When you attempt to insert rows that violate the unique constraint, the rows causing duplicates are ignored, and the operation continues for the rest of the data without raising an error.

First find the name of the primary key (if not known)

SELECT name

FROM sys.key_constraints

WHERE type = 'PK' AND parent_object_id = OBJECT_ID('YourTableName');

ALTER TABLE YourTableName

DROP CONSTRAINT ConstraintName;

If you know the primary key name, you can issue the command,

For example, if primary key name is PK_Employees

ALTER TABLE Employees

DROP CONSTRAINT PK_Employees;

A foreign key is a key used to link two tables together. This is sometimes called a referencing key.

Foreign Key is a column or a combination of columns whose values match a Primary Key in a different table.

The relationship between 2 tables matches the Primary Key in one of the tables with a Foreign Key in the second table.

Arithmetic operators

+        Addition: Adds two values 

-         Subtraction: Subtracts one value from another 

*        Multiplication: Multiplies two values       

/         Division: Divides one value by another   

%       Modulus: Returns the remainder of a division   

Comparison operators

=: Equal to

<>: Not equal to (ANSI standard)

!=: Not equal to (non-ANSI, equivalent to <>)

>: Greater than

<: Less than

>=: Greater than or equal to

<=: Less than or equal to

Logical operators

AND

OR

ALL

BETWEEN

IN

LIKE

NOT

IS NULL

EXISTS

DROP, DELETE, and TRUNCATE are different commands used to remove data from a table. They have different features.

DELETE - FEATURES

Deletes data row by row

Can include a WHERE clause to specify which rows to delete.

Can be rolled back (if used within a transaction).

Triggers are fired.

Does not reset the identity column.

TRUNCATE - FEATURES

Deletes all rows in the table quickly without logging individual row deletions.

Cannot specify a WHERE clause.

Cannot be rolled back in the same way as DELETE unless inside a transaction.

Does not fire triggers.

DROP - FEATURES

Completely removes a table (structure and data) from the database.

Cannot be rolled back unless in a transaction.

Any associated indexes, constraints, and triggers are also removed.

The DISTINCT keyword is used to return unique values from a column or a combination of columns, eliminating duplicate rows from the result set.

Sample Code

SELECT DISTINCT FirstName, LastName

FROM Employees;

This will return unique combinations of first and last names from the Employees table.

It is used to create a point within a transaction to which you can later roll back, without affecting the entire transaction. This allows for partial rollbacks within a transaction.

Sample Code

BEGIN TRANSACTION;

 

-- Some operations

INSERT INTO employees (name, position) VALUES ('John Doe', 'Manager');

 

SAVE TRANSACTION SavePoint1;

 

-- Some other operations

UPDATE employees SET position = 'Director' WHERE name = 'John Doe';

 

-- Rollback to the savepoint if needed

ROLLBACK TRANSACTION SavePoint1;

 

-- Commit the transaction if everything is fine

COMMIT TRANSACTION;

If something goes wrong or you want to revert changes made after SavePoint1, you can use ROLLBACK TRANSACTION SavePoint1, which will undo the actions after that point.

Finally, you can commit the transaction with COMMIT TRANSACTION if everything is correct.

GETDATE() -Returns the current date and time of the system.

 SYSDATETIME() - Returns the current date and time with higher precision.

 CURRENT_TIMESTAMP - Returns the current date and time.

DATEADD() - Adds a specified number of units (such as days, months, etc.) to a date.

DATEDIFF() - Returns the difference between two dates in terms of the specified unit (e.g., days, months, years).

YEAR() - Extracts the year from a date.

DATEPART() - Extracts a specific part (e.g., year, month, day) from a date.

FORMAT() - Formats a date or time value as a string based on the provided format.

CONVERT(),CAST() - Converts a date or time to a specific string format.

SELECT * FROM

    (SELECT ROW_NUMBER()

        OVER (ORDER BY EmployeeName) AS Row,

        EmployeeId, EmployeeName, Salary

    FROM Employees) AS EMP

WHERE Row BETWEEN 2 AND 4

The ANY and ALL operators in SQL Server are used with subqueries and are typically combined with comparison operators

The ANY operator returns TRUE if any of the values returned by the subquery satisfy the condition.

For eg:

SELECT ProductName

FROM Products

WHERE Price > ANY (

    SELECT Price

    FROM CompetitorProducts

);

This query returns all products where the price is greater than any price in the CompetitorProducts table.

The ALL operator returns TRUE if all values returned by the subquery satisfy the condition.

For eg,

SELECT ProductName

FROM Products

WHERE Price > ALL (

    SELECT Price

    FROM CompetitorProducts

);

This query returns all products where the price is greater than all prices in the CompetitorProducts table.

We can either use temp table or table variable.

For eg,

We want to loop through a table variable

Sample Code :-

DECLARE @totalRecords INT

DECLARE @I INT

DECLARE @ProductDetails TABLE

(

    SNO INT IDENTITY(1,1) PRIMARY KEY

   ,iProductID INT NOT NULL

   ,vProductName VARCHAR(100) NOT NULL

   ,vManfacturer  VARCHAR(100) NOT NULL

   ,LastUpdated DATETIME DEFAULT GETDATE()

)

INSERT INTO ProductDetails (iProductID,vProductName,vManfacturer,LastUpdated)

SELECT iProductID,vProductName,vManfacturer,LastUpdated FROM Products

SELECT @I = 1

SELECT @totalRecords = COUNT(iProductID) FROM ProductDetails

WHILE (@I <= @totalRecords)

BEGIN

SELECT * FROM ProductDetails WHERE SNO = @I

    SELECT @I = @I + 1

END

The same logic we can use for temp table also.

1.       Dirty Read

 A dirty read occurs when a transaction reads data that has been modified by another transaction but not yet committed. This can result in inconsistent or incorrect results.

To solve this issue, you can use transaction any of following isolation levels

READ COMMITTED  (Default)

REPEATABLE READ

SNAPSHOT

SERIALIZABLE

2.       Non-Repeatable Read

A non-repeatable read occurs when a transaction reads the same row twice and gets different values because another transaction modified that row in the meantime.

To avoid non-repeatable reads, you can use any of following stricter isolation levels.

Repeatable Read:

Serializable

Snapshot

 

3.       Phantom Reads

This happens when a transaction executes a query multiple times and receives different results each time, due to another transaction inserting, updating, or deleting rows that meet the query criteria between executions.

To avoid non-repeatable reads, you can use any of following stricter isolation levels.

Serializable

Snapshot

 

4.       Lost Update

The lost update problem in SQL Server (or any database system) occurs when multiple transactions read the same data and then update it concurrently, leading to inconsistent results.

To avoid non-repeatable reads, you can use any of following stricter isolation levels.

Repeatable Read

Snapshot

SELECT TOP 1 * FROM tes007;

select top 3 id,name,marks from test100

with cte(id,name,marks) as (select top 3 id,name,marks from test100 order by id desc)

with ctc(groupid,name,salary) as (select top 3 groupid,name,salary from test11 order by salary desc)

select groupid,name,salary from cte order by salary desc

select * from table where isnumeric(rollno) = 1

fn_dblog is an undocumented function that provides information about the transaction log.

It allows you to view the contents of the transaction log for a database, which is useful for tasks like auditing, recovering data, and troubleshooting.

SELECT * FROM fn_dblog(NULL, NULL);

This command retrieves all records from the transaction log of the current database

1.       master :

This is the most important system database. It stores information about the server configuration, databases, and the system-level objects like logins, linked servers, and other global settings.

2.       model

The model database serves as a template for creating new user databases. Every time a new database is created, a copy of the model database is used to initialize it.

3.       msdb

msdb is used by SQL Server Agent for scheduling jobs, handling alerts, managing operators, and storing information about SQL Server Agent activities like job execution history.

4.       tempdb

tempdb is a temporary workspace used by SQL Server to store intermediate results, such as sorting and storing temporary tables and global or local temporary objects.

It is recreated every time SQL Server starts, and data in tempdb is cleared after each restart of the SQL Server instance.

5.       Resource

The Resource database is hidden and contains the system objects that are used by the SQL Server instance. It is a read-only database and cannot be accessed directly by users.

It includes all the system views, stored procedures, and functions.

Use Proper Indexing

Analyze Execution Plans

Aviod select statement like select * from emp. (avoid * Specify columns explicitly )

Optimize Joins

Use Proper Data Types

Limit Results

Optimize Subqueries

Use Common Table Expressions (CTEs) or Temp Tables

Avoid Locks

 Update Statistics

Query Refactoring

Use Batch Processing

DDL (Data Definition Language) triggers in SQL Server are a type of trigger that fire in response to changes in the schema or structure of a database, such as creating, altering, or dropping tables, views, or other objects.

They help manage and enforce database integrity by allowing administrators to perform actions.

SQL Server supports several types of DDL triggers, including:

CREATE - Fires when a new object (such as a table or view) is created.

ALTER - Fires when an object is modified, such as changing a table structure.

DROP - Fires when an object is deleted, like a table being dropped.

GRANT, DENY, REVOKE - Fires when permissions are granted, denied, or revoked on database objects.

A login trigger is a special type of trigger that is fired when a login attempt is made, either successful or unsuccessful. This allows database administrators to perform actions based on login events. Login triggers are often used for auditing, logging, or enforcing security policies.

declare @x varchar(100)

set @x = 'ABCAXAYZ';

print len(@x) - len(replace(@x,'A',''))

What is the purpose of stuff function ?

The STUFF function is used to insert a string into another string.

Sample Code

SELECT STUFF('Hello World', 6, 5, 'SQL');

Result will be

HelloSQLd

Consider table stufftest

fields are studentid,name,subject

for every studentid there can be mulitiple subject and we want to group subjects by studentid.

select studentid,t.name,stuff((select ',' + s.subject from [dbo].[stfufftest] s where s.name = t.name for xml path('')),1,1,'') as subject from  [dbo].[stfufftest] as t group by t.name,t.studentid order by t.studentid

Result is

studentid  name  subject

1        name1 maths,science

2        name2 it,film

The MERGE statement allows you to perform an INSERT, UPDATE, or DELETE operation based on a comparison between a target table and a source table. It is useful when you need to synchronize two tables.

It is a feature that allows you to define multiple groupings in a single query. It provides a more flexible way to aggregate data by specifying different combinations of columns to group by.

This is useful when you want to calculate aggregates over different levels of grouping without writing multiple SELECT statements.

Sample Code

SELECT Year, Region, SUM(Amount) AS TotalAmount

FROM Sales

GROUP BY GROUPING SETS (

    (Year, Region),  -- Group by Year and Region

    (Year),          -- Group by Year only

    (Region),        -- Group by Region only

    ()               -- Total aggregation (no grouping)

);

This query will produce results grouped by:

Year and Region

Year only

Region only

The total amount (without grouping)

1.       You can use the FOR XML clause or the XML data type in SQL Server.

2.       Using the XML Data Type

If you have a column with the XML data type, you can query it directly and extract the XML content. You can use the .value(), .query(), or .nodes() methods for this.

select * into  x from y where 1 = 2

A partitioned view in SQL Server is a database object that combines the results of multiple underlying tables into a single view, allowing you to query and work with the data as if it were a single table.

Create the underlying tables: Ensure that each table contains data for a specific range of the partition key.

Define constraints: Use CHECK constraints to ensure that each table only contains data for its partition range.

Create the view: Use UNION ALL to combine the results of the underlying tables.

Sample Code

-- Step 1: Create underlying tables

CREATE TABLE Sales_2022 (

    SaleID INT PRIMARY KEY,

    SaleDate DATE NOT NULL,

    Amount MONEY,

    CHECK (YEAR(SaleDate) = 2022)

);

 

CREATE TABLE Sales_2023 (

    SaleID INT PRIMARY KEY,

    SaleDate DATE NOT NULL,

    Amount MONEY,

    CHECK (YEAR(SaleDate) = 2023)

);

 

-- Step 2: Create the partitioned view

CREATE VIEW SalesPartitionedView AS

SELECT * FROM Sales_2022

UNION ALL

SELECT * FROM Sales_2023;

You can now query the view as if it were a single table:

SELECT * FROM SalesPartitionedView WHERE SaleDate = '2023-03-15';

For eg, Table is Master

fields are Id,Main

;with cte as (

select Id,Main,row_number() over(order by (select 100)) as rowid from Master)

select Id,Main,case when(Id%2 =0)  then 'even' else 'odd' end mode  from Master

Result will be

1        Accounts       odd

2        Finance         even

3        Sales  odd

4        Purchase       even

When a query is submitted to a Microsoft SQL Server, the server processes it through several steps to execute the request and return the results.

1.       Parsing

The query is parsed into an internal format called a parse tree or syntax tree, which represents the structure of the query.

2. Binding

SQL Server validates the objects (e.g., tables, columns) referenced in the query to ensure they exist and the user has the necessary permissions to access them.

It checks the schema and resolves names to ensure they are valid and consistent.

3. Optimization

SQL Server's Query Optimizer analyzes the query and generates an execution plan, which determines how best to execute the query.

The optimizer evaluates multiple execution plans and selects the one with the lowest cost, based on factors like I/O, CPU, and memory usage.

The optimizer uses metadata, such as indexes and table statistics, to make decisions.

Once the best plan is selected, it is stored in the plan cache for reuse if the same query or a similar query is executed later.

SQL Server’s Relational Engine executes the steps in the execution plan.

The Storage Engine retrieves or modifies the actual data on disk, using data pages and index pages as needed.

The processed data is returned to the client application as rows or error messages.

Windows

Linux

Linux Container

Azure Virtual Machine

SQL Server Agent is a component of Microsoft SQL Server that is used to automate and schedule tasks, such as running jobs, executing scripts, and sending alerts.

It is particularly useful for database administrators (DBAs) and developers to manage routine tasks, ensuring consistency and efficiency.

CHAR

Used to store fixed-length, non-Unicode character data

Requires 1 byte of storage per character.

NCHAR

Used to store fixed-length, Unicode character data

Requires 2 bytes of storage per character (to support Unicode).

ALTER TABLE myTable ALTER COLUMN mycol NVARCHAR (10) COLLATE Greek_CS_AI;

SELECT CONVERT (varchar(256), SERVERPROPERTY('collation'));

SELECT name, collation_name FROM sys.databases;

SELECT name, database_id, create_date FROM  sys.databases;

A maximum of 32,767 files and 32,767 filegroups can be specified for each

database.

SELECT database_id, is_read_only, collation_name, compatibility_level

FROM sys.databases WHERE name = 'AdventureWorks';

ALTER DATABASE AdventureWorks2022

 SET ALLOW_SNAPSHOT_ISOLATION ON;

ALTER DATABASE AdventureWorks2022

REMOVE FILE test1dat4;

ALTER DATABASE AdventureWorks2022

 MODIFY FILE (NAME = test1dat3, SIZE = 200 MB);

They are a feature in Microsoft SQL Server that allows developers to extend the capabilities of SQL Server by writing external routines in programming languages like C or C++.

ALTER DATABASE AdventureWorks2022

SET SINGLE_USER

WITH ROLLBACK IMMEDIATE;

A database snapshot in SQL Server is a read-only, static view of a database (called the source database) at a specific point in time. It is useful for purposes such as reporting, testing, or recovering from accidental changes in the source database.

Sample code for creating a snapshot of database

CREATE DATABASE SalesSnapshot

ON

(

    NAME = SalesDB,

    FILENAME = 'C:SQLDataSalesDBSnapshot.ss'

)

AS SNAPSHOT OF SalesDB;

FILESTREAM is a feature in Microsoft SQL Server that allows for the efficient storage and management of unstructured data, such as documents, images, and videos, in the file system while maintaining transactional consistency with structured data stored in the database

Steps to create a filestream

Enable FILESTREAM at the Instance Level:

Configure FILESTREAM for the Database:

Create a Table to Store FILESTREAM Data:

In SQL Server, the FILETABLE feature provides an easy way to integrate SQL Server with file system-based storage.

It extends the FILESTREAM functionality, enabling users to store and manage files and documents within a special type of table designed for file storage.

In SQL Server, the FILETABLE feature provides an easy way to integrate SQL Server with file system-based storage.

It extends the FILESTREAM functionality, enabling users to store and manage files and documents within a special type of table designed for file storage.

You store the image directly in the database using a VARBINARY column.

CREATE TABLE Images (

    ImageID INT IDENTITY PRIMARY KEY,

    ImageName NVARCHAR(255),

    ImageData VARBINARY(MAX)

);

INSERT INTO Images (ImageName, ImageData)

SELECT 'ExampleImage',

       BulkColumn FROM OPENROWSET(BULK N'C:PathToImage.jpg', SINGLE_BLOB) AS ImageFile;

To retrieve it,

SELECT ImageName, ImageData FROM Images WHERE ImageID = 1;

Unique Constraint: Automatically creates a unique index behind the scenes. You do not have to define an index explicitly when using a unique constraint.

In Unique Index, You have to explicitly create an index using CREATE UNIQUE INDEX statement,giving you more control over the index properties (e.g., whether it's a clustered or non-clustered index).You can create unique index on multiple column. Multicolumn unique indexes guarantee that each combination of values in the index key is unique.

ALTER INDEX IX_Employee_OrganizationLevel_OrganizationNode

 ON HumanResources.Employee DISABLE;

ALTER INDEX ALL ON HumanResources.Employee

DISABLE;

SELECT i.name AS index_name

 , i.type_desc

 , i.is_unique

 , ds.type_desc AS filegroup_or_partition_scheme

 , ds.name AS filegroup_or_partition_scheme_name

 , i.ignore_dup_key

 , i.is_primary_key

 , i.is_unique_constraint

 , i.fill_factor

 , i.is_padded

 , i.is_disabled

 , i.allow_row_locks

 , i.allow_page_locks

 , i.has_filter

 , i.filter_definition

FROM sys.indexes AS i

 INNER JOIN sys.data_spaces AS ds

 ON i.data_space_id = ds.data_space_id

 WHERE is_hypothetical = 0 AND i.index_id <> 0

 AND i.object_id = OBJECT_ID('Customer')

A columnstore index in SQL Server is a type of index optimized for querying large amounts of data, particularly for data warehouse scenarios where large scans of data are common.

It stores data in a columnar format rather than the traditional row-based format, which can provide significant performance improvements for read-heavy queries, such as those used in analytics.

Create PROCEDURE ListAllColumns

          @Tablename varchar(200)

AS

BEGIN

SET NOCOUNT ON;

DECLARE @ColumnName NVARCHAR(128);

DECLARE @SQL NVARCHAR(MAX);

-- Cursor to iterate through all columns in the table

DECLARE column_cursor CURSOR FOR

SELECT COLUMN_NAME

FROM INFORMATION_SCHEMA.COLUMNS

WHERE TABLE_NAME = @TableName;

-- Open the cursor

OPEN column_cursor;

-- Fetch the first column

FETCH NEXT FROM column_cursor INTO @ColumnName;

-- Loop through each column

WHILE @@FETCH_STATUS = 0

BEGIN

    PRINT @ColumnName;

    -- Fetch the next column

    FETCH NEXT FROM column_cursor INTO @ColumnName;

END;

-- Close and deallocate the cursor

CLOSE column_cursor;

DEALLOCATE column_cursor;

END

 

The SET NOCOUNT ON statement in SQL Server prevents the message indicating the number of rows affected by a Transact-SQL statement from being returned as part of the result set.

It will  improve performance, especially in stored procedures and scripts that execute many queries, as it reduces unnecessary network traffic.

The @@ERROR global variable in SQL Server is used to capture the error number of the last Transact-SQL statement that was executed.

After executing a Transact-SQL statement, the @@ERROR variable is set to:

0 if the statement executed successfully.

A non-zero error number if an error occurred.

DECLARE @TableName NVARCHAR(128) = 'Master'

DECLARE @NewColumnName NVARCHAR(128) = 'City'

DECLARE @DataType NVARCHAR(50) = 'VARCHAR(50)' -- Specify your data type

DECLARE @SQL NVARCHAR(MAX)

-- Construct the SQL statement

SET @SQL = N'ALTER TABLE ' + QUOTENAME(@TableName) +

           N' ADD ' + QUOTENAME(@NewColumnName) + N' ' + @DataType

-- Execute the SQL statement

EXEC sp_executesql @SQL

In SQL Server, XACT_STATE() is a system function that returns the current transaction state of a session.

This is particularly useful for determining the state of a transaction when an error occurs, allowing you to take appropriate recovery or rollback actions

XACT_STATE() returns one of the following values:

1: A transaction is active and can be committed or rolled back.

0: There is no active transaction.

-1: A transaction is active but is in an uncommittable state (e.g., because a severe error occurred).

Sample Code

BEGIN TRANSACTION;

BEGIN TRY

    -- Some SQL statements

    INSERT INTO MyTable (Column1, Column2)

    VALUES ('Value1', 'Value2');

    -- Commit transaction if no error occurs

    COMMIT TRANSACTION;

END TRY

BEGIN CATCH

    -- Check the transaction state

    IF XACT_STATE() = -1

    BEGIN

        PRINT 'Transaction is in an uncommittable state. Rolling back.';

        ROLLBACK TRANSACTION;

    END

    ELSE IF XACT_STATE() = 1

    BEGIN

        PRINT 'Transaction is committable. Committing.';

        COMMIT TRANSACTION;

    END

    ELSE

    BEGIN

        PRINT 'No active transaction.';

    END

END CATCH;

Concurrency issues means when multiple users or processes try to modify the same data at the same time. By default, the first person's changed data is overwritten by second person's data. Our aim is to prevent this and give a proper message to second person saying that this record has been already modified by another person.

We can use sql server data type called timestamp for this purpose.First, we have to add a new column of type timestamp in table

For example,

CREATE TABLE Employees

(

    EmployeeID INT PRIMARY KEY,

    Name NVARCHAR(100),

    Position NVARCHAR(100),

    LastModifiedRowVersion ROWVERSION

);

then in stored procedure, we have to check this timestamp value while updating the data.

CREATE PROCEDURE UpdateEmployee

    @EmployeeID INT,

    @Name NVARCHAR(100),

    @Position NVARCHAR(100),

    @LastModifiedRowVersion ROWVERSION

AS

BEGIN

    -- Check if the row has been modified since the last read

    IF EXISTS (

        SELECT 1

        FROM Employees

        WHERE EmployeeID = @EmployeeID

          AND LastModifiedRowVersion = @LastModifiedRowVersion

    )

    BEGIN

        -- Update the employee record

        UPDATE Employees

        SET Name = @Name, Position = @Position

        WHERE EmployeeID = @EmployeeID;

        -- Return success message or new data

        SELECT 'Update successful';

    END

    ELSE

    BEGIN

        -- Handle concurrency conflict

        SELECT 'Concurrency conflict. Data has been modified by another user.';

    END

END

In SQL Server you can use the FOR JSON clause in a query to format the results as JSON.

This is a one to many relation. Each artist can have many albums.

Sample Code

USE Music;

SELECT

  ArtistName,

  AlbumName

FROM Artists

  INNER JOIN Albums

  ON Artists.ArtistId = Albums.ArtistId

ORDER BY ArtistName

FOR JSON AUTO;

In SQL Server, you can throw an error using the THROW or RAISERROR statements, depending on the version of SQL Server you're using.

Syntax is THROW [error_number, message, state];

For example,

THROW 50001, 'Custom error message.', 1;

In throw,

Automatically rethrows the last error in a CATCH block if no parameters are supplied.

Does not allow formatting of messages like RAISERROR.

In RAISEERROR,

Allows formatted messages using placeholders (e.g., %d, %s).

When we are doing mulitple DML statements in a stored procedure, we have to set transactions for ensuring data integrity. That is, all the statements should execute or reject. For that, we can use, begin transaction,begin try,commit,begin catch,end catch, rollback etc.

Sample Code

BEGIN TRANSACTION;

BEGIN TRY

    -- Your SQL multiple statements here

    INSERT INTO Table1 (Column1, Column2)

    VALUES ('Value1', 'Value2');   --first insert

 Update Table2 set Column1 = 'data' where Id = 1   --second update

    -- Commit the transaction if all statements succeed

    COMMIT;

END TRY

BEGIN CATCH

    -- Rollback the transaction if an error occurs

    ROLLBACK;

    -- Optionally, capture error details

    DECLARE @ErrorMessage NVARCHAR(4000);

    DECLARE @ErrorSeverity INT;

    DECLARE @ErrorState INT;

    SELECT

        @ErrorMessage = ERROR_MESSAGE(),

        @ErrorSeverity = ERROR_SEVERITY(),

        @ErrorState = ERROR_STATE();

    -- Log or display the error

    RAISERROR (@ErrorMessage, @ErrorSeverity, @ErrorState);

END CATCH;

Explanation of code :-

BEGIN TRANSACTION: Starts a new transaction.

BEGIN TRY...END TRY: Encapsulates the SQL statements you want to execute.

BEGIN CATCH...END CATCH: Handles any errors that occur within the BEGIN TRY block.

COMMIT: Commits the transaction if no errors occur.

ROLLBACK: Rolls back the transaction if an error occurs.

RAISERROR: Re-raises the error after capturing its details.

Suppose Table Name - Master

Column Name - Main

Create a Stored Procedure

Create  PROCEDURE PassingTableName

          -- Add the parameters for the stored procedure here

          @TableName varchar(30),

          @ColumnName varchar(30)

AS

BEGIN

SET NOCOUNT ON;

Declare @SQLString nvarchar(1000)

--Set @SQLString='select'  + ' ' +  QUOTENAME(@ColumnName) +  ' from' + ' ' +    '(' + QUOTENAME(@TableName) 

Set @SQLString='select'  + ' ' +  @ColumnName +  ' from' + ' ' +    @TableName 

print @SQLString

EXEC sp_executesql @SQLString

   END

And execute Stored procedure

exec PassingTableName 'Master','Main'

 

This ensures that fields with NULL values in your query results are included in the JSON output with their respective field names and null as the value.

For example,

SELECT

    FirstName,  LastName,   Email,  Phone

FROM

    Customers

FOR JSON AUTO, INCLUDE_NULL_VALUES;

Without INCLUDE_NULL_VALUES, fields with NULL values would be omitted from the JSON output.

select convert(varchar, getdate(), 101)   --   mm/dd/yyyy

select convert(varchar, getdate(), 102)   --   yyyy.mm.dd

select convert(varchar, getdate(), 103)   --  dd/mm/yyyy

select convert(varchar, getdate(), 104)   --  dd.mm.yyyy

select convert(varchar, getdate(), 105)   --  dd-mm-yyyy

select convert(varchar, getdate(), 106)  -- dd Mon yyyy

select convert(varchar, getdate(), 107)  --  Mon dd, yyyy

select convert(varchar, getdate(), 110)  -- mm-dd-yyyy

select convert(varchar, getdate(), 111)  -- yyyy/mm/dd

select convert(varchar, getdate(), 8)  --  hh:mm:ss   (Time only)

CREATE TABLE unicodesample (

    UnicodeColumn NVARCHAR(50)

);

INSERT INTO unicodesample (UnicodeColumn)

VALUES (N'こんにちは'); -- japanese word

Here N' prefix is used to specify a Unicode string.

A Recursive Common Table Expression (CTE) in SQL Server is a powerful feature used to write queries that reference themselves.

CREATE TABLE Empl (

    EmployeeID INT,

    Name NVARCHAR(100),

    ManagerID INT -- References EmployeeID

);

;WITH RecursiveOrganizationCTE AS

(

    SELECT EmployeeID, Name,ManagerID

          FROM Empl

    WHERE ManagerID IS NULL

    UNION ALL

  

    SELECT e.EmployeeID, e.Name,e.ManagerID

    FROM Empl e

    JOIN RecursiveOrganizationCTE r ON e.ManagerID = r.EmployeeID

)

--Show the records stored inside  the CTE we created above

SELECT *

FROM RecursiveOrganizationCTE;

We can use a nested select query with a subquey.

Sample Code

Find employees who have salaries higher than the average salary.

SELECT EmployeeID, EmployeeName, Salary

FROM Employees

WHERE Salary > (

    SELECT AVG(Salary)

    FROM Employees

);

We can use nested select with a FROM clause.

Sample Code

Find the total sales for each product category.

SELECT CategoryID, SUM(TotalSales) AS CategorySales

FROM (

    SELECT CategoryID, ProductID, SUM(Sales) AS TotalSales

    FROM Sales

    GROUP BY CategoryID, ProductID

) AS SubQuery

GROUP BY CategoryID;

We can also use a nested select statement in a correlated subquery also.

Sample Code

Find employees whose salary is greater than the average salary in their department.

SELECT EmployeeID, EmployeeName, DepartmentID, Salary

FROM Employees e1

WHERE Salary > (

    SELECT AVG(Salary)

    FROM Employees e2

    WHERE e2.DepartmentID = e1.DepartmentID

);

You can use  OPENJSON function in SQL Server to join data. OPENJSON is used to parse JSON data and return it as a table.

Sample Code

Products table

OrderId    ProductId  Orderdate

101               1        29/12/2024

102               2        28/12/2024

DECLARE @json NVARCHAR(MAX) =

N'[

    {"ProductId": 1, "Quantity": 10},

    {"ProductId": 2, "Quantity": 5}

]';

-- Query to parse JSON and join with the Orders table

SELECT

    o.OrderId,

    o.ProductId,

    o.OrderDate,

    j.Quantity

FROM

    Orders o

JOIN

    OPENJSON(@json)

    WITH (

        ProductId INT '$.ProductId',

        Quantity INT '$.Quantity'

    ) j

ON

    o.ProductId = j.ProductId;      

Result will  be as follows

OrderId         ProductId      OrderDate     Quantity

101               1                  2024-12-29   10

102               2                  2024-12-30   5

Sample Code

-- Table1 with JSON data

CREATE TABLE Table1 (

    id INT PRIMARY KEY,

    json_data NVARCHAR(MAX)

);

 

INSERT INTO Table1 VALUES

(1, '[{"key": 101, "value": "A"}, {"key": 102, "value": "B"}]'),

(2, '[{"key": 201, "value": "C"}, {"key": 202, "value": "D"}]');

 

-- Table2 with relational data

CREATE TABLE Table2 (

    key INT PRIMARY KEY,

    description NVARCHAR(50)

);

 

INSERT INTO Table2 VALUES

(101, 'Description for A'),

(202, 'Description for D');

The query for join is :-

 

SELECT

    t1.id AS Table1Id,

    json_data.value AS JsonValue,

    json_data.key AS JsonKey,

    t2.description AS Description

FROM Table1 t1

CROSS APPLY OPENJSON(t1.json_data)

WITH (

    key INT '$.key',

    value NVARCHAR(50) '$.value'

) AS json_data

LEFT JOIN Table2 t2

ON json_data.key = t2.key;

 

Result will be :-

Table1Id       JsonValue     JsonKey        Description

1        A        101     Description for A

1        B        102     NULL

2        C        201     NULL

2        D        202     Description for D

Sample Code

DECLARE @First NVARCHAR(MAX) = N'{"a":1, "b":2, "c":3}'

DECLARE @Second NVARCHAR(MAX) = N'{"d":4, "e":5}'

SELECT

    @First = JSON_MODIFY(@First, CONCAT(N'$.', [Key]), value)

FROM

OPENJSON(@Second)

SELECT @First

Result will be

{"a":1, "b":2, "c":3,"d":"4","e":"5"}

DECLARE @Json1 NVARCHAR(MAX) =

N'[{"id": 1, "name": "Alice"}, {"id": 2, "name": "Bob"}]';

DECLARE @Json2 NVARCHAR(MAX) =

N'[{"id": 1, "age": 25}, {"id": 2, "age": 30}]';

-- Parse and Join JSON Data

SELECT

    j1.id,

    j1.name,

    j2.age

FROM

    OPENJSON(@Json1) WITH (

        id INT '$.id',

        name NVARCHAR(50) '$.name'

    ) j1

JOIN

    OPENJSON(@Json2) WITH (

        id INT '$.id',

        age INT '$.age'

    ) j2

ON

    j1.id = j2.id;

Result will be as follows :

id       name  age

1        Alice   25

2        Bob    30

The NOLOCK table hint in SQL Server allows you to query a table without placing any locks on the data, thereby improving the performance of the query by reducing contention with other operations.

The default transaction isolation level in SQL Server is the READ COMMITTED isolation level.The WITH (NOLOCK) table hint is used to override the default transaction isolation so that user can  retrieve the data without being affected by the locks.

The problem with this table hint is it may cause DIRTY READS - one of the transactional fault. That is,  the user may also read  uncommited data.

Sample Code

SELECT column1, column2

FROM table_name WITH (NOLOCK);

Either using EXEC or sp_executesql statement.

Sample code for EXEC :-

DECLARE @DynamicSQL NVARCHAR(MAX);

SET @DynamicSQL = 'SELECT * FROM Employees WHERE Department = ''HR''';

EXEC(@DynamicSQL);

Sample Code for executesql  :-

DECLARE  @Sql AS NVARCHAR(1000)

DECLARE  @ColNames AS NVARCHAR(100)

 SET @ColNames = N'FirstName , MiddleName , LastName';

SET @Sql = 'SELECT ' + @ColNames + ' FROM Person.Person WHERE Persontype=@Type'

EXECUTE sp_executesql @Sql , N'@PerType nchar(2)',@Type='AD'

This function in SQL Server is used to return a Unicode string with delimiters added in order to make the string a valid SQL Server delimited identifier.

This function accepts only strings and delimiters.

Samples

SELECT QUOTENAME('abc')  

  [abc]

SELECT QUOTENAME('pqr', '{}')    

 {pqr}

SELECT QUOTENAME('12', '>');

<12>

Filter by Category