I have this function in my database:
CREATE OR REPLACE FUNCTION "insertarNuevoArticulo"(nombrearticulo character varying, descripcion text, idtipo integer, idfamilia bigint, artstock integer, minstock integer, maxstock integer, idmarca bigint, precio real, marcastock integer)
RETURNS boolean AS
$BODY$
DECLARE
articulo "Articulo"%ROWTYPE;
BEGIN
SELECT * INTO articulo FROM "Articulo" WHERE "Nombre" = $1 AND "idTipo"=$3 AND "idFamilia"=$4;
IF NOT FOUND THEN
INSERT INTO "Articulo" ("Nombre", "Descripcion", "idTipo", "idFamilia", "Stock", "MinStock", "MaxStock") Values ($1, $2, $3, $4, $5, $6, $7);
SELECT last_value
INTO articulo."idArticulo"
FROM "public"."Articulo_idArticulo_seq";
END IF;
SELECT * FROM "ArticuloMarca" AS am WHERE am."idArticulo" = articulo."idArticulo" and am."idMarca" = $8;
IF NOT FOUND THEN
Insert into "ArticuloMarca"("idArticulo", "idMarca", "PrecioReferencial", "Stock") Values (articulo."idArticulo", $8, $9, $10);
RETURN TRUE;
END IF;
RETURN FALSE;
END;
$BODY$
LANGUAGE plpgsql VOLATILE
COST 100;
ALTER FUNCTION "insertarNuevoArticulo"(character varying, text, integer, bigint, integer, integer, integer, bigint, real, integer)
OWNER TO postgres;
But as soon as I try to use it, it says I need to use PERFORM
if I want to discard the results! The problem here is that I don't want to! I want them in the articulo
row I declared!
I'm using this statement:
SELECT "insertarNuevoArticulo"('Acetaminofen', 'caro', '1' , '1', '8', '1', '10', '1', '150.7', '10');
And the error i get is 42601, a syntax error! How could it be if I'm using the IDE to create it? Any idea about the problem?
In plpgsql code,
SELECT
without a target triggers an error. But you obviously do not wantSELECT INTO
, you just want to set the status ofFOUND
. You would usePERFORM
for that.Better, yet, use
IF EXISTS ...
. Consider this rewrite of your function:About
EXISTS
:The other major point:
RETURNING
clause of theINSERT
statement instead of an additionalSELECT
.Postgres 9.5+
In Postgres 9.5 or later rather use an UPSERT instead: (
INSERT ... ON CONFLICT DO NOTHING
).You would have
UNIQUE
constraints on"Articulo"("Nombre", "idTipo", "idFamilia")
and"ArticuloMarca"("idArticulo", "idMarca")
and then:This is faster, simpler and more reliable. The added loops rule out any remaining race conditions with concurrent writes (while adding hardly any cost). Without concurrent writes, you can simplify. Detailed explanation:
Aside: use legal, lower-case identifiers to avoid all the ugly double-quoting.
This line looks suspicious to me and is probably what is causing your grief:
You are executing a SELECT within your function, but not doing anything with the results. You need to perform a SELECT INTO like you did earlier in your function.