将一行转换为具有较少列的多行

时间:2017-07-19 21:17:30

标签: sql postgresql unpivot lateral

我想在PostgreSQL中将单行转换为多行,其中删除了一些列。以下是当前输出的示例:

name | st | ot | dt |
-----|----|----|----|
Fred | 8  | 2  | 3  |
Jane | 8  | 1  | 0  |
Samm | 8  | 0  | 6  |  
Alex | 8  | 0  | 0  |  

使用以下查询:

SELECT
   name, st, ot, dt
FROM
   times;

这就是我想要的:

name |  t | val |
-----|----|-----|
Fred | st |  8  |
Fred | ot |  2  |
Fred | dt |  3  |
Jane | st |  8  |
Jane | ot |  1  |
Samm | st |  8  |
Samm | dt |  6  |
Alex | st |  8  |

如何修改查询以获得上述所需的输出?

3 个答案:

答案 0 :(得分:3)

SELECT
  times.name, x.t, x.val
FROM
  times cross join lateral (values('st',st),('ot',ot),('dt',dt)) as x(t,val)
WHERE
  x.val <> 0;

答案 1 :(得分:1)

核心问题是反向枢轴/交叉表操作。有时称为&#34; unpivot&#34;

基本上,Abelisto's query是Postgres 9.3或更高版本的方法。相关:

可能希望使用LEFT JOIN LATERAL ... ON u.val <> 0在结果中包含没有有效值的名称(并稍微缩短语法)。

如果您有多个值列(或不同的列列表),您可能希望使用函数自动构建和执行查询:

CREATE OR REPLACE FUNCTION f_unpivot_columns(VARIADIC _cols text[])
  RETURNS TABLE(name text, t text, val int) AS
$func$
BEGIN
   RETURN QUERY EXECUTE (
   SELECT
     'SELECT t.name, u.t, u.val
      FROM   times t
      LEFT   JOIN LATERAL (VALUES '
          || string_agg(format('(%L, t.%I)', c, c), ', ')
          || ') u(t, val) ON (u.val <> 0)'
   FROM   unnest(_cols) c
   );
END
$func$  LANGUAGE plpgsql;

呼叫:

SELECT * FROM f_unpivot_times_columns(VARIADIC '{st, ot, dt}');

或者:

SELECT * FROM f_unpivot_columns('ot', 'dt');

列名称以字符串文字形式提供,并且必须正确(区分大小写!)拼写,没有额外的双引号。参见:

dbfiddle here

与更多示例和解释相关:

答案 2 :(得分:0)

一种方式:

with times(name , st , ot , dt) as(
select 'Fred',8  , 2  , 3  union all
select 'Jane',8  , 1  , 0  union all
select 'Samm',8  , 0  , 6  union all
select 'Alex',8  , 0  , 0  
)

select name, key as t, value::int  from 
(
    select name, json_build_object('st' ,st , 'ot',ot, 'dt',dt) as j
    from times
) t
join lateral json_each_text(j)
on true
where value <> '0'
-- order by name, case when key = 'st' then 0 when key = 'ot' then 1 when key = 'dt' then 2 end