Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

MySQL Trigger: Delete From Table AFTER DELETE

Scope: Two tables. When a new patron is created, they have some information about them stored into a 2nd table (This was done using a trigger as well, it works as expected). Here's an example of my table structure and relationship.

Table 1-> patrons

+-----+---------+-----+ +  id +   name  + val + +=====+=========+=====+ +  37 +  george +  x  + +-----+---------+-----+ +  38 +  sally  +  y  + +-----+---------+-----+ 

Table 2 -> patron_info

+----+-----+----------+ + id + pid +   name   + +----+-----+----------+ +  1 +  37 +  george  + +----+-----+----------+ +  2 +  38 +  sally   + +----+-----+----------+ 

The administrator can manage the patrons. When they choose to remove a patron, the patron is removed from the table 1 patrons. At this point, nothing happens to table 2 patron_info.

I'm simply trying to create a trigger to delete from table 2, when table 1 has an item deleted. Here's what I've tried...

Initially, I try to drop the trigger if it exists (just to clear the air)...

DROP TRIGGER IF EXISTS log_patron_delete; 

Then I try to create the trigger afterwards...

CREATE TRIGGER log_patron_delete AFTER DELETE on patrons FOR EACH ROW BEGIN DELETE FROM patron_info     WHERE patron_info.pid = patrons.id END 

At this point, I get a syntax error 1046: Check syntax near END on line 6. I don't know what the error is at this point. I've tried several different variations. Also, am I required to use a delimiter here?

Can anyone help restore my sanity?

like image 957
Ohgodwhy Avatar asked Aug 05 '12 16:08

Ohgodwhy


People also ask

Is after delete trigger?

Description. An AFTER DELETE Trigger means that Oracle will fire this trigger after the DELETE operation is executed.

How do I delete a row in a trigger?

In this syntax: First, specify the name of the trigger which you want to create after the CREATE TRIGGER keywords. Second, use BEFORE DELETE clause to specify that the trigger is invoked right before a delete event. Third, specify the name of the table that the trigger is associated with after the ON keyword.

What is delete trigger?

DELETE Trigger is a data manipulation language (DML) trigger in SQL. A stored procedure on a database object gets invoked automatically instead of before or after a DELETE command has been successfully executed on the said database table.


1 Answers

I think there is an error in the trigger code. As you want to delete all rows with the deleted patron ID, you have to use old.id (Otherwise it would delete other IDs)

Try this as the new trigger:

CREATE TRIGGER log_patron_delete AFTER DELETE on patrons FOR EACH ROW BEGIN DELETE FROM patron_info     WHERE patron_info.pid = old.id; END 

Dont forget the ";" on the delete query. Also if you are entering the TRIGGER code in the console window, make use of the delimiters also.

like image 134
vivek_jonam Avatar answered Oct 01 '22 10:10

vivek_jonam