Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Pivot / crosstab with more than one value column

I have a view that produces the following resultset:

CREATE TABLE foo
AS
  SELECT client_id, asset_type, current_value, future_value
  FROM ( VALUES
    ( 1, 0, 10 , 20 ),
    ( 1, 1, 5  , 10 ),
    ( 1, 2, 7  , 15 ),
    ( 2, 1, 0  , 2 ),
    ( 2, 2, 150, 300 )
  ) AS t(client_id, asset_type, current_value, future_value);

And I need to transform it into this:

client_id    a0_cur_val   a0_fut_val  a1_cur_val  a1_fut_val  ...
1            10           20          5           10          
2            NULL         NULL        0           2           

I know how to do this if I use just the current_value column, using crosstab. How can I use current_value and future_value to produce new columns in the destination resultset? If I just add future_value column to the crosstab(text) query it complains about "invalid source data SQL statement".

I'm using PostgreSQL 9.3.6.

like image 503
Rodrigo Strauss Avatar asked May 04 '15 13:05

Rodrigo Strauss


1 Answers

One way would be to use a composite type:

CREATE TYPE i2 AS (a int, b int);

Or, for ad-hoc use (registers the type for the duration of the session):

CREATE TEMP TABLE i2 (a int, b int);

Then run the crosstab as you know it and decompose the composite type:

SELECT client_id
     , (a0).a AS a0_cur_val, (a0).b AS a0_fut_val
     , (a1).a AS a1_cur_val, (a1).b AS a1_fut_val
     , (a2).a AS a2_cur_val, (a2).b AS a2_fut_val
FROM   crosstab(
       'SELECT client_id, asset_type, (current_value, future_value)::i2
        FROM   foo
        ORDER  BY 1,2'

      ,'SELECT * FROM generate_series(0,2)'
   ) AS ct (client_id int, a0 i2, a1 i2, a2 i2);

All parentheses are required!

Basics for crosstab():

  • PostgreSQL Crosstab Query
like image 180
Erwin Brandstetter Avatar answered Sep 21 '22 14:09

Erwin Brandstetter