Hello, welcome to Appsloveworld Technologies, In this session, we learn about the different typesof triggers that are available in SQL Server and After insert and delete trigger in SQL server with real-time example.
In the SQL server, there are three types of triggers
- DML
- DDL
- Logon triggers.
In this article, we will talk about DML triggers with examples. DML stands for Data Manipulation Language, insert update and delete statements are examples for the DML statements because they modified the data that’s present inside the table or a view.
DML triggers fire automatically in response to DML events. Since they are fired in response to an insert update or delete statement and these statements can be classified as DML statements, these triggers are called DML triggers.
Now DML triggers can again be classified into two types
- After triggers
- Instead of triggers.
After triggers, Sometimes they are also called as FOR triggers. So FOR or after triggers in SQL server means, the same. Now let’s understand the difference between after triggers and instead of triggers.
After triggers – as the name says, they fire after the triggering action, and the triggering action could be inserted, update and delete. So after triggers, fire after an insert update or delete statement execution.
Instead of triggers – instead of triggers, as the name says, they fire instead of the triggering action. For example, when you try to insert a row into a table instead of inserting that row into that table if there is an instead of trigger that gets fired.You can read more about instead of triggers in the below post.
After triggers are also classified into three categories
- After insert trigger
- After update trigger
- After delete trigger
Triggers can be considered as a special kind of stored procedures that execute automatically in response to a triggering action.
So let’s understand triggers with examples. so I have a table called TblDoctors. We just got Id, names, gender, and Specialization columns.
So let’s say whenever somebody adds a new row into TblDoctors, that could be directly using a SQL statement or through an application. I want some log information to be captured automatically and generate a notification for admin in the TblNotifications table that you can see on the below image.
TblNotifications has gotID,DoctorId,DoctorName,Notification,IsSeen and CreateAt columns.
Now, let’s say, for example, whenever I insert a new row into TblDoctors, in the TblNotifications table, I want data like the above image.
So how can I do that? I mean, obviously, we can make use of a stored procedure to do that. But the easiest way to achieve, this is to basically associate a trigger with the TblDoctors table. So that as soon as the insert statement is fired, the trigger is executed on the TblDoctors table.
I want to create an after insert trigger, which will capture the Id of the record that you have inserted into TblDoctors and then the DateTime and insert a row into the TblNotifications table.
Let’s look at that in action.
So here we have a real-time After insert trigger
CREATE TRIGGER tr_TblDoctors_ForInsert
ON TblDoctors
FOR INSERT
AS
BEGIN
Declare @Id int
Declare @Name varchar(100)
Select @Id = Id from inserted
Select @Name = Name from inserted
insert into TblNotifications
values(@Id,@Name,'New Doctors with Id = ' + Cast(@Id as nvarchar(5)) +'Name= '+@Name+ ' is registered at ' + cast(Getdate() as nvarchar(20)),0,Getdate())
END
Now, look at the trigger. Whenever you’re creating a trigger, you create a trigger for a table and a specific event.
For this example, we want to create a trigger on table TblDoctors for insert event, because as soon as new rows are inserted into TblDoctors, we want to log data in the TblNotifications table.
So that’s why. We create the trigger on the TblDoctors table for insert action or event, you can see that in the above query.
Explanation of above after insert trigger Query
I’m creating a trigger, “CREATE TRIGGER ” trigger name, the naming convention is to use “tr” so underscore the name of the table and then for which action you are creating a trigger.
Here we are creating a trigger for insert action on TblDoctors , FOR INSERT “as ” Begin and the “End” just like store procedure. So inside your trigger, you can implement whatever logic you want
So what we want here, we want to capture the Id and Name of the Doctor that we have just inserted into the TblDoctors table.
let’s declare a variable of type integer and varchar.So declare Id integer, Name varchar and we are selecting the id, Name of the Doctor. If you look at this, we are saying select @ID is equal to ID from inserted the table.

So what is the inserted table? Where did this come from?
Inserted a table is a special table that is, used by triggers and this table is only available in the context of a trigger.
Now whenever you insert a row, into TblDoctors or any other table for that matter, the SQL server maintains this magic table called inserted Table, which retains a copy of the row that you have inserted into the actual table.
So when you insert a row into the TblDoctors , SQL server behind the scenes creates a table called Inserted in memory and a copy of the row that you have just inserted into table TblDoctors will be maintained in this inserted table. And then inserted a table can be accessed inside the context of a trigger.
And then you can inspect those values. If you want to roll back, you can roll back those changes or if you want to audit information, you can capture that.
where i can find trigger in sql server?
So we created trigger on the TblDoctors table. So go to the TblDoctors table refresh triggers folder expand that.
You should see the trigger there. So now since this is created for insert action, so as soon as we execute and insert a statement into the TblDoctors table, so let’s execute the insert statement.
What should happen, trigger should fire. Now Let’s insert a row into TblDoctors
INSERT INTO [dbo].[TblDoctors]
([Name]
,[Gender]
,[Specialization])
VALUES
('Dr. Thomas'
,'Male'
,'Urology')
So when we execute the above SQL server says two rows effected because after the insert statement Immediately, the trigger gets fired, and a row into TblNotifications.
Let see row is inserted or not in TblNotifications
select * from [dbo].[TblNotifications]
As you can see in the below image we have an entry for the ‘Dr. Thomas‘
Now let us now capture information, when a doctor row is deleted from the TblDoctors, tblEmployee.
So Let’s create an AFTER TRIGGER for DELETE event on TblDoctors table:
CREATE TRIGGER tr_TblDoctors_ForDELETED
ON TblDoctors
FOR DELETE
AS
BEGIN
Declare @Id int
Declare @Name varchar(100)
Select @Id = Id from deleted
Select @Name = Name from deleted
insert into TblNotifications
values(@Id,@Name,'New Doctors with Id = ' + Cast(@Id as nvarchar(5)) +'Name= '+@Name+ ' is DELETED at ' + cast(Getdate() as nvarchar(20)),0,Getdate())
END
we just need to use the triggering event as DELETE and retrieving the deleted row ID and Name from the DELETED table.
delete from [dbo].[TblDoctors] where id=14
select * from [dbo].[TblNotifications]
DELETED table, is a special table utilized by triggers. When you delete a row from the TblDoctors table, a copy of the deleted row will be created in the DELETED table, which can access by the trigger.
You can access the INSERTED table outside the context of the trigger, But the DELETED table cannot be accessed, outside the context of the trigger and, the structure of the DELETED table will be identical to the structure of TblDoctors table.For more detail read mircosoft article-microsoft
Read More –After Update Trigger in Sql Server With Example
Table Script
/****** Object: Table [dbo].[TblDoctors] Script Date: 10/13/2020 7:47:42 PM ******/
SET ANSI_NULLS ON
GO
SET QUOTED_IDENTIFIER ON
GO
CREATE TABLE [dbo].[TblDoctors](
[Id] [int] IDENTITY(1,1) NOT NULL,
[Name] [nvarchar](max) NOT NULL,
[Gender] [nvarchar](50) NULL,
[Specialization] [nvarchar](50) NULL,
CONSTRAINT [PK_TblStudent] PRIMARY KEY CLUSTERED
(
[Id] ASC
)WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY] TEXTIMAGE_ON [PRIMARY]
GO
/****** Object: Table [dbo].[TblNotifications] Script Date: 10/13/2020 7:47:43 PM ******/
SET ANSI_NULLS ON
GO
SET QUOTED_IDENTIFIER ON
GO
CREATE TABLE [dbo].[TblNotifications](
[DoctorId] [int] NOT NULL,
[DoctorName] [nvarchar](50) NOT NULL,
[Notification] [nvarchar](max) NOT NULL,
[IsSeen] [bit] NOT NULL,
[CreateAt] [datetime] NOT NULL
) ON [PRIMARY] TEXTIMAGE_ON [PRIMARY]
GO
SET IDENTITY_INSERT [dbo].[TblDoctors] ON
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (1, 'Carter', 'Male', 'Neurology')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (3, 'Gianna', 'Female', 'Urology')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (4, 'Brandon', 'Male', 'Medical Gastroenterology')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (5, 'Julia', 'Female', 'Cardiology (Heart Care)
')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (6, 'Julian', 'Male', 'Oncology (Cancer Care)
')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (7, 'Kayla', 'Female', 'Bone Marrow Transplant.
')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (8, 'Henry', 'Male', 'Medical Gastroenterology.
')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (9, 'Autumn', 'Female', 'Urology')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (10, 'Sebastian', 'Male', 'Neurology')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (11, 'Blake', 'Male', 'Bone Marrow Transplant.
')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (12, 'Dr. Jacob', 'Male', 'Urology')
GO
INSERT [dbo].[TblDoctors] ([Id], [Name], [Gender], [Specialization]) VALUES (13, 'Dr. Henry', 'Male', 'Urology')
GO
SET IDENTITY_INSERT [dbo].[TblDoctors] OFF
The post Triggers in SQL server with real-time example appeared first on Software Development | Programming Tutorials.
Read More Articles
- Linq to SQL Group by and Sum in Select | Linq To SQL Group By and Sum
- How send an HTTP POST request to a server from Excel using VBA?
- What is Difference between where and having clauses in SQL server
- How to Use EXCEPT Operator with an example in Sql
- How to use merge statement in the SQL server
- How to write Re-runnable SQL server query
- How to create Cursor in sql server with example
- How to generate random data in sql server for performance testing
- How to write subquery in select statement in Sql
- How to Log record changes in SQL server in an audit table
- SQL Server 2008 - Get Latest Record from Joined Table
- SQL Server: update table from xml string
- Using NEWID() with CTE to produce random subset of rows produces odd results
- Multiple queries using one SqlCommand possible?
- Schedule job on SQL Server Agent to stop
- Make SQL Server 2005 accessible via Internet
- Pitfalls of SQL database table BULK update, using staging table and bulkcopy in vb.net
- Sql Exception Not Being Passed to C# Catch
- Query to use a CASE WHEN nested AND and OR functions
- Inserting rows to SQL Server database with multiple loops
- Why can datetime allow this decimal format but datetime2 won't?
- Recommendations for database structure with huge dataset
- Why I get -1 from stored procedure?
- Joins on multiple tables to create a view
- Filtering second statement in UNION to prevent duplicate results
- EntityFramework transaction rollback with multi table insert
- sql query builder for select in c#
- How can I handle a web application that connects to many SQL Server databases?
- Fastest way to calculate the count of records in child table based on a condition
- What's the best way to test SQL Server connection programmatically?
- Why doesn't this windowed expression result in a divide by zero error?
- Avoiding deadlock when updating table
- sql server doesn't work on windows 8 64bit
- Store both Image and Text in single column in SQL Server
- atomic compare and swap in a database
- SQL Select statement MSSQL
- Is there a way to do this in one SELECT statement? Using Group By
- Can I replicate from Postgres to MS SQL?
- how to get filename without extension using xp_dirtree
- How to make column in serialised number even if one number is deleted
- save string query result in variable in sql server
- JDBC QueryTimeout only working for some vendors
- What is the maximum field length sql will sort? for varchar or nvarchar
- Select View and Union and deadlocked in SQL Server 2008
- Join or Union or Subquery or something else?
- Excel: populateitems in data validation drop down list from SQL server table
- Automatically download and fill SQL Server table from .csv
- SQL: Why does a CREATE TRIGGER need to be preceded by GO
- SQL - Divide a value and make sure it re-sums to original
- How to include a conditional OR statement in the SQL WHERE clause
- SQL matching parts of a string in a column to another
- how to fetch data from sql server database in php without refreshing the page
- Nuances between CF_SQL_DECIMAL and CF_SQL_NUMERIC
- Avoiding NULL records on this LEFT JOIN
- How to show all tables that have specific number of records
- SQL Server: CTE, how to get last row number
- SSRS - Add a dropdown selection menu to a report
- SQL Server : filter on dates from another table
- Custom/dynamic categorizations in data warehouse
- Duplicate NULL Values on SQL LEFT JOIN
- Can I write comments in TSQL files that won't end up being published?
- Sum values from multiple rows into one row
- Compare days in Linq
- Slow select performance on a table
- SQL Server CONVERT(NUMERIC(18,0), '') fails but CONVERT(INT, '') succeeds?
- Sql Server FILESTREAM Total File Size
- I am looking for a way for a trigger to insert into a second table only where the value in table 1 changes
- How to configure connection pool in IIS?
- Strange System.StackOverflowException error in C#, Asp.Net web app
- SQL query to assign Inventory to upcoming shipments
- Create a join that can (include some) or (include all except some) records
- Conditional JOIN with wildcard override
- C# and SQL data duplication
- What are the downsides to Table Valued Parameters in Stored Proc?
- Will uninstalling a named instance of SQL Server require a reboot or cause issues with existing instances?
- SQL Server notify web server of table change
- disconnected sql server when run stored procedure
- Entering 40000 rows in sql server through loop
- What should be a default datetime value?
- Joining Multiple Tables with different structures?
- How to check for windows file transfer and start SSIS package?
- Problems migrating ASP.NET Core Identity from SQL Server to MySQL
- How to get alone time 11:21 (highlighted in red) with SQL Server database?
- Can't delete database snapshot SQL Server, Error: 946
- Unable to access database with Φ character in column
- retrieve result set from a stored Procedure
- What happens if I dont open instance of SqlConnection?
- How can you create a table (or other object) that always returns the value passed to its WHERE-clause, like a mirror
- Handle Daylight Saving Time on SQL Server
- Update process CUBE
- Converting Sql Query to LinQ with Reverse SQL Command
- How to get XML subnodes as strings along with parent attributes?
- How do I fill a temp table iteratively and stuff() the result into columns?
- compare decimal values in varchar column
- SQL Server session
- SQL Server charindex with declared variable
- Can't connect to SQL 2012 remotely by IP and named instance
- Custom Varchar format to datetime
- Can't update view with INSTEAD OF trigger
- Rename SQL query column names dynamically
- MS SQL - Fastest way to adding $2 to a varchar column with numbers
- Why does Dapper's .Execute(...) return an int?
- SQL Query to pull the avg values for 1day gap dob's of clients
- How to order by the sum of multiple columns
- SQL Query to filter record for particular record count
- SQL Server won't create trigger on table I can query
- SQL Server, double insert at the exact same time, unicity Bug
- How to get the previous value of a row in SSRS
- Entity Framework Update-Database issues
- Need help to format output of SQL Server XML sibling query
- Do triggers decreases the performance? Inserted and deleted tables?
- SP returning output but SqlDataReader/SqlDataAdapter not
- SQL Server 2008 : TSQL, select same data for different times based on column value
- Inserting a row into a sql table in c# with autoincrement primary key
- One database to log in, use different database depending on person
- Bootstrapping SQL Express from WiX?
- How to determine which row caused an error - ERROR CHECKING
- Computed Column cannot be Persisted
- Unable to create an db.r3.8xlarge SQL Server EE instance in ap-southeast-2
- Cumulative sum & percentage
- Use COUNT() for multiple columns over several years
- How to add Transactions with a DataSet created using the Add Connection Wizard?
- SQL Server REPLACE AND CHECK IF EXISTS
- Function to return valid date from varchar field
- Is it okay to use table look up functionalities in scalar function?
- how to get before date Rates using sqlserver?
- Process performance over SQL Server
- External Table from Oracle to SQL 2019
- Recommended approach on handling SqlExceptions in db applications
- How to serialize (to comma separated list) SQL rows
- optimizing SQL query with multiple keys
- How to connect to a remote SQL Server in my SSMS with Windows authentication?
- Adding triggers and tables to MBS databases
- Service broker with only domain account
- Return Two Related Results Based On Nested SELECT
- I want to create a stored procedure using T-SQL that dynamically creates a table based on outside data that isn't vulnerable to SQL injection
- java.sql.SQLException: No suitable driver found for jdbc:sqlserver:
- Execute a large SQL script (with GO commands)
- Extracting a superset from data while preserving parent child relationships
- SQL Server Date CAST default format
- Building a view column out of separate columns
- Is there a better way to organize and make this SQL query more readable?
- Multiple records associated with one id
- How to use git as source control provider for SQL Server Management Studio
- Entity Framework - Botched association
- ElasticSearch vs SQL Full Text Search
- Pyodbc- If table exist then don't create in SSMS
- Serialize table with details
- SQL Server (2005) target tables in different schemas from store procedure
- How do I get the creation date of a MySQL table?
- How to reuse calculated column in HAVING clause?
- Get number of times keyword is present
- How can i get the accurate results from sql query
- How to convert data from ASCII to Unicode (correct collation)?
- Multipart identifier error in Excel 2007 MS Query but not in SQL Server 2008
- Apply Different WHERE clause depending on value of one field
- Difference between "=" and "is" in sql server
- Recursive SQL function and change tracking don't work together
- Procedure is having some issue
- Swap two letters in a column