PostgreSQL
 sql >> Database >  >> RDS >> PostgreSQL

Come puoi espandere una riga PostgreSQL condensata in colonne separate?

9.3 e superiori:query laterale

In PostgreSQL 9.3 o versioni successive usa una query laterale implicita:

SELECT f.* FROM things t, some_function(t.thing_id) f;

Preferisci questa formulazione per tutte le nuove query . Quanto sopra è la formulazione standard .

Funziona correttamente anche con funzioni che RETURNS TABLE o RETURNS SETOF RECORD così come funziona con out-params che RETURNS RECORD .

È l'abbreviazione di:

SELECT f.*
FROM things t
CROSS JOIN LATERAL some_function(t.thing_id) f;

Pre-9.3:espansione con caratteri jolly (con attenzione)

Le versioni precedenti provocano la valutazione multipla di some_function , non funziona se some_function restituisce un set, non usarlo :

SELECT (some_function(thing_id)).* FROM things;

Versioni precedenti, evita la valutazione multipla di some_function utilizzando un secondo strato di indiretta. Usalo solo se devi supportare versioni di PostgreSQL piuttosto vecchie.

SELECT (f).*
FROM (
  SELECT some_function(thing_id) f
  FROM things
) sub(f);

Demo:

Configurazione:

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);

prova:

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)