SQL: “Reverse” transpose a table

前端 未结 2 733
南笙
南笙 2021-01-25 11:20

I saw a lot of questions on transposing from the below table...

scanid | region | volume
-------------------------
1          A      34.4
1          B      32.1
         


        
相关标签:
2条回答
  • 2021-01-25 12:05

    it is not clear how you restore "A", "B", "C" values, so I just add them

    prepare:

    t=# create table s188 (scanid int,a float, b float,c float);
    CREATE TABLE
    t=# insert into s188 select 1,2,3,4;
    INSERT 0 1
    t=# insert into s188 select 2,12,13,14;
    INSERT 0 1
    t=# select * from s188;
     scanid | a  | b  | c
    --------+----+----+----
          1 |  2 |  3 |  4
          2 | 12 | 13 | 14
    (2 rows)
    

    select:

    t=# with a as (
      select scanid,unnest(array[a,b,c]) from s188
    )
    select scanid,chr((row_number() over (partition by scanid))::int + 64),unnest
    from a;
     scanid | chr | unnest
    --------+-----+--------
          1 | A   |      2
          1 | B   |      3
          1 | C   |      4
          2 | A   |     12
          2 | B   |     13
          2 | C   |     14
    (6 rows)
    

    and more neat solution from a_horse_with_no_name

    t=# with a as (
      select scanid, x.*
      from s188, unnest(array[a,b,c]) with ordinality as x(volume,idx)
    )
    select scanid,
           chr(idx::int + 64) as region,
           volume
    from a;
     scanid | region | volume
    --------+--------+--------
          1 | A      |      2
          1 | B      |      3
          1 | C      |      4
          2 | A      |     12
          2 | B      |     13
          2 | C      |     14
    (6 rows)
    
    0 讨论(0)
  • 2021-01-25 12:07

    You could do this very simply with a UNION clause:

    Select Scan_ID, 'A' as Region, A_Volume as volume
        union all
    Select Scan_ID, 'B' as Region, B_Volume as volume
        union all
    Select Scan_ID, 'C' as Region, C_Volume as volume
    
    0 讨论(0)
提交回复
热议问题