Se eu tiver um trigger
before the update
em uma tabela, como posso lançar um erro que impede a atualização nessa tabela?
Se eu tiver um trigger
before the update
em uma tabela, como posso lançar um erro que impede a atualização nessa tabela?
Respostas:
Aqui está um truque que pode funcionar. Não está limpo, mas parece que pode funcionar:
Basicamente, você apenas tenta atualizar uma coluna que não existe.
No MySQL 5.5, você pode usar a SIGNAL
sintaxe para gerar uma exceção :
signal sqlstate '45000' set message_text = 'My Error Message';
O estado 45000 é um estado genérico que representa "exceção definida pelo usuário sem tratamento".
Aqui está um exemplo mais completo da abordagem:
delimiter //
use test//
create table trigger_test
(
id int not null
)//
drop trigger if exists trg_trigger_test_ins //
create trigger trg_trigger_test_ins before insert on trigger_test
for each row
begin
declare msg varchar(128);
if new.id < 0 then
set msg = concat('MyTriggerError: Trying to insert a negative value in trigger_test: ', cast(new.id as char));
signal sqlstate '45000' set message_text = msg;
end if;
end
//
delimiter ;
-- run the following as seperate statements:
insert into trigger_test values (1), (-1), (2); -- everything fails as one row is bad
select * from trigger_test;
insert into trigger_test values (1); -- succeeds as expected
insert into trigger_test values (-1); -- fails as expected
select * from trigger_test;
Infelizmente, a resposta fornecida pelo @RuiDC não funciona nas versões MySQL anteriores à 5.5, porque não há implementação de SIGNAL para procedimentos armazenados.
A solução que encontrei é simular um sinal que gera um table_name doesn't exist
erro, enviando uma mensagem de erro personalizada para o table_name
.
O hack pode ser implementado usando gatilhos ou usando um procedimento armazenado. Descrevo as duas opções abaixo, seguindo o exemplo usado pelo @RuiDC.
DELIMITER $$
-- before inserting new id
DROP TRIGGER IF EXISTS before_insert_id$$
CREATE TRIGGER before_insert_id
BEFORE INSERT ON test FOR EACH ROW
BEGIN
-- condition to check
IF NEW.id < 0 THEN
-- hack to solve absence of SIGNAL/prepared statements in triggers
UPDATE `Error: invalid_id_test` SET x=1;
END IF;
END$$
DELIMITER ;
Os procedimentos armazenados permitem usar o sql dinâmico, o que possibilita o encapsulamento da funcionalidade de geração de erros em um procedimento. O contraponto é que devemos controlar os métodos de inserção / atualização dos aplicativos, para que eles usem apenas nosso procedimento armazenado (não concedendo privilégios diretos ao INSERT / UPDATE).
DELIMITER $$
-- my_signal procedure
CREATE PROCEDURE `my_signal`(in_errortext VARCHAR(255))
BEGIN
SET @sql=CONCAT('UPDATE `', in_errortext, '` SET x=1');
PREPARE my_signal_stmt FROM @sql;
EXECUTE my_signal_stmt;
DEALLOCATE PREPARE my_signal_stmt;
END$$
CREATE PROCEDURE insert_test(p_id INT)
BEGIN
IF NEW.id < 0 THEN
CALL my_signal('Error: invalid_id_test; Id must be a positive integer');
ELSE
INSERT INTO test (id) VALUES (p_id);
END IF;
END$$
DELIMITER ;
O procedimento a seguir é (no mysql5) uma maneira de gerar erros personalizados e registrá-los ao mesmo tempo:
create table mysql_error_generator(error_field varchar(64) unique) engine INNODB;
DELIMITER $$
CREATE PROCEDURE throwCustomError(IN errorText VARCHAR(44))
BEGIN
DECLARE errorWithDate varchar(64);
select concat("[",DATE_FORMAT(now(),"%Y%m%d %T"),"] ", errorText) into errorWithDate;
INSERT IGNORE INTO mysql_error_generator(error_field) VALUES (errorWithDate);
INSERT INTO mysql_error_generator(error_field) VALUES (errorWithDate);
END;
$$
DELIMITER ;
call throwCustomError("Custom error message with log support.");
CREATE TRIGGER sample_trigger_msg
BEFORE INSERT
FOR EACH ROW
BEGIN
IF(NEW.important_value) < (1*2) THEN
DECLARE dummy INT;
SELECT
Enter your Message Here!!!
INTO dummy
FROM mytable
WHERE mytable.id=new.id
END IF;
END;
Outro método (hack) (se você não estiver no 5.5+ por algum motivo) que você pode usar:
Se você possui um campo obrigatório, em um gatilho, defina o campo obrigatório como um valor inválido, como NULL. Isso funcionará para INSERT e UPDATE. Observe que, se NULL for um valor válido para o campo obrigatório (por algum motivo maluco), essa abordagem não funcionará.
BEGIN
-- Force one of the following to be assigned otherwise set required field to null which will throw an error
IF (NEW.`nullable_field_1` IS NULL AND NEW.`nullable_field_2` IS NULL) THEN
SET NEW.`required_id_field`=NULL;
END IF;
END
Se você estiver no 5.5+, poderá usar o estado do sinal conforme descrito em outras respostas:
BEGIN
-- Force one of the following to be assigned otherwise use signal sqlstate to throw a unique error
IF (NEW.`nullable_field_1` IS NULL AND NEW.`nullable_field_2` IS NULL) THEN
SIGNAL SQLSTATE '45000' set message_text='A unique identifier for nullable_field_1 OR nullable_field_2 is required!';
END IF;
END
DELIMITER @@
DROP TRIGGER IF EXISTS trigger_name @@
CREATE TRIGGER trigger_name
BEFORE UPDATE ON table_name
FOR EACH ROW
BEGIN
--the condition of error is:
--if NEW update value of the attribute age = 1 and OLD value was 0
--key word OLD and NEW let you distinguish between the old and new value of an attribute
IF (NEW.state = 1 AND OLD.state = 0) THEN
signal sqlstate '-20000' set message_text = 'hey it's an error!';
END IF;
END @@
DELIMITER ;