9.3 y superior:consulta lateral
En PostgreSQL 9.3 o posterior, use una consulta lateral implícita:
SELECT f.* FROM things t, some_function(t.thing_id) f;
Prefiera esta formulación para todas las consultas nuevas . Lo anterior es la formulación estándar .
También funciona correctamente con funciones que RETURNS TABLE
o RETURNS SETOF RECORD
así como funciones con parámetros de salida que RETURNS RECORD
.
Es la abreviatura de:
SELECT f.*
FROM things t
CROSS JOIN LATERAL some_function(t.thing_id) f;
Pre-9.3:expansión comodín (con cuidado)
Versiones anteriores, causa evaluación múltiple de some_function
, no funciona si some_function
devuelve un conjunto, no usar esto :
SELECT (some_function(thing_id)).* FROM things;
Versiones anteriores, evita la evaluación múltiple de some_function
usando una segunda capa de indirección. Solo use esto si debe admitir versiones de PostgreSQL bastante antiguas.
SELECT (f).*
FROM (
SELECT some_function(thing_id) f
FROM things
) sub(f);
Demostración:
Configuración:
CREATE FUNCTION some_function(i IN integer, x OUT integer, y OUT text, z OUT text) RETURNS record LANGUAGE plpgsql AS $$
BEGIN
RAISE NOTICE 'evaluated with %',i;
x := i;
y := i::text;
z := 'dummy';
RETURN;
END;
$$;
create table things(thing_id integer);
insert into things(thing_id) values (1),(2),(3);
ejecución de prueba:
demo=> SELECT f.* FROM things t, some_function(t.thing_id) f;
NOTICE: evaluated with 1
NOTICE: evaluated with 2
NOTICE: evaluated with 3
x | y | z
---+---+-------
1 | 1 | dummy
2 | 2 | dummy
3 | 3 | dummy
(3 rows)
demo=> SELECT (some_function(thing_id)).* FROM things;
NOTICE: evaluated with 1
NOTICE: evaluated with 1
NOTICE: evaluated with 1
NOTICE: evaluated with 2
NOTICE: evaluated with 2
NOTICE: evaluated with 2
NOTICE: evaluated with 3
NOTICE: evaluated with 3
NOTICE: evaluated with 3
x | y | z
---+---+-------
1 | 1 | dummy
2 | 2 | dummy
3 | 3 | dummy
(3 rows)
demo=> SELECT (f).*
FROM (
SELECT some_function(thing_id) f
FROM things
) sub(f);
NOTICE: evaluated with 1
NOTICE: evaluated with 2
NOTICE: evaluated with 3
x | y | z
---+---+-------
1 | 1 | dummy
2 | 2 | dummy
3 | 3 | dummy
(3 rows)