A MySQL Trigger
It is a set of SQL statements that are automatically executed on a particular table (such as INSERT, UPDATE, or DELETE) when few event happens. Triggers are useful for handling the business logic, log the audit and modify the data on database level.
Following is the Syntax of a MySQL Trigger
CREATE TRIGGER trigger_name
{BEFORE | AFTER} {INSERT | UPDATE | DELETE}
ON table_name
FOR EACH ROW
BEGIN
-- Add your SQL statements inside this block
END;
Lets know more with few examples.
Example 1: Audit Log on Insert
Imagine if we have a users table and audit_log table.We want to log info whenever a new user is added to users table.
Let's Create Tables first:
CREATE TABLE users (
id INT AUTO_INCREMENT PRIMARY KEY,
name VARCHAR(100),
email VARCHAR(100)
);
CREATE TABLE audit_log (
id INT AUTO_INCREMENT PRIMARY KEY,
action_time DATETIME,
action VARCHAR(100)
);
Next we need to create the Trigger,
CREATE TRIGGER after_user_insert
AFTER INSERT ON users
FOR EACH ROW
BEGIN
INSERT INTO audit_log(action_time, action)
VALUES (NOW(), CONCAT('New user added: ', NEW.name));
END;
Below is the Trigger Keywords used here.
NEW.column_name: Refers to the new value (used in INSERT and UPDATE)
OLD.column_name: Refers to the old value (used in UPDATE and DELETE)
Example 2: Prevent Negative Balance for the user.
Suppose you have an accounts table and your have to prevent users from setting a negative balance.
CREATE TRIGGER before_balance_update
BEFORE UPDATE ON accounts
FOR EACH ROW
BEGIN
IF NEW.balance < 0 THEN
SIGNAL SQLSTATE '45000'
SET MESSAGE_TEXT = 'Balance cannot be negative';
END IF;
END;
Trigger Limitations
Even though trigger is a good option, there are some limitations.
1. It Cannot call stored procedures that modify data.
2. No trigger nesting or recursion.
3. Triggers can't be used on VIEWs.
Example 3:
Let's create a MySQL trigger that will insert the name of the deleted item into the item_archive table:This example is from testdome.com
DELIMITER $$
CREATE TRIGGER item_delete
AFTER DELETE ON item
FOR EACH ROW
BEGIN
INSERT INTO item_archive(name) VALUES (OLD.name);
END$$
DELIMITER ;
Comments
Post a Comment