A pergunta não tem nada a ver com os gatilhos. Você simplesmente tem um erro de sintaxe na seguinte linha:
IF :NEW.EVENT_ID AND :NEW.DESCRIPTION IS NOT NULL THEN
if
declaração
e os operadores lógicos esperam uma expressão booleana. PL/SQL não tem conversões de tipo de dados implícitas para valores booleanos. Isso significa
:NEW.EVENT_ID
não é uma expressão booleana válida, portanto não pode ser usada com and
-operator e, portanto, a compilação falha com:PLS-00382: expression is of wrong type
Essencialmente, seu problema pode ser reduzido ao seguinte exemplo:
declare
v_foo number;
begin
-- compilation fails because a number (or any other non-boolean
-- data type) is not a boolean expression.
if v_foo
then
null;
end if;
end;
/
Exemplos de trabalho (compila bem):
declare
v_foo number;
function to_boolean(p_x in number) return boolean is
begin
return p_x > 0;
end;
begin
-- a function returns a boolean value
if to_boolean(v_foo)
then
null;
end if;
-- a > operator returns a boolean value
if v_foo > 0
then
null;
end if;
-- is null operator returns a boolean value
if v_foo is null
then
null;
end if;
end;
/