sql >> Base de Datos >  >> RDS >> Mysql

¿MySQL permite devoluciones de llamada en C de modo que cuando ocurra un cambio, pueda recibir una notificación?

Cree un activador como este.

DELIMITER $$

CREATE TRIGGER ad_mytable_each AFTER DELETE ON MyTable FOR EACH ROW
BEGIN
  #write code that trigger After delete (hence the "ad_" prefix)
  #For table MyTable (The _MyTable_ middle)
  #On each row that gets inserted (_each suffix)
  #
  #You can see the old delete values by accesing the "old" virtual table.
  INSERT INTO log VALUES (old.id, 'MyTable', old.field1, old.field2, now());

END$$

DELIMITER ;

Hay disparadores para INSERT , DELETE , UPDATE
Y pueden disparar BEFORE o AFTER la acción.
El disparador BEFORE la acción puede cancelar la acción al forzar un error, así.

CREATE TRIGGER bd_mytable_each BEFORE DELETE ON MyTable FOR EACH ROW
BEGIN
  #write code that trigger Before delete (hence the "db_" prefix)
  declare DoError Boolean; 

  SET DoError = 0;

  IF old.id = 1 THEN SET DoError = 1; END IF; 

  IF (DoError = 1) THEN SELECT * FROM Table_that_does_not_exist_to_force_error;
  #seriously this example is in the manual.

END$$

DELIMITER ;

Esto evitará la eliminación del registro 1.

Un disparador anterior a la ACTUALIZACIÓN puede incluso cambiar los valores actualizados.

CREATE TRIGGER bu_mytable_each BEFORE UPDATE ON MyTable FOR EACH ROW
BEGIN
  IF new.text = 'Doon sucks' THEN SET new.text = 'Doon rules';
END$$

DELIMITER ;

Espero que Trigger sea feliz.