在 Postgres 中将多列合并为一列
Combine multiple columns into a single column in Postgres
尝试编写一个查询,使现有的 Postgres table 看起来像下面的第一组,在这里给出第二组的结果:
ID | Month1 | Month2
A | 2 | 3 --(qty)
B | 4 | 5 --(qty)
结果
ID | Month | QTY
A | Month1 | 2
A | Month1 | 3
B | Month1 | 4
B | Month1 | 5
最好的办法是使用多个联合,但这会很长。有没有更有效的方法来解决这个问题?
在 Postgres 中,您可以使用横向联接取消透视:
select t.id, m.month, m.qty
from mytable t
cross join lateral (values (t.Month1, 'Month1'), (t.Month2, 'Month2')) as m(qty, month)
order by t.id, m.month
id | month | qty
:- | :----- | --:
A | Month1 | 2
A | Month2 | 3
B | Month1 | 4
B | Month2 | 5
另一种可能的方法是使用 generate_series
:
select
f.id,
'Month' || i as month,
case gs.i
when 1 then f.month1
when 2 then f.month2
end as month
from
foo f
cross join generate_series (1, 2) gs (i)
尝试编写一个查询,使现有的 Postgres table 看起来像下面的第一组,在这里给出第二组的结果:
ID | Month1 | Month2
A | 2 | 3 --(qty)
B | 4 | 5 --(qty)
结果
ID | Month | QTY
A | Month1 | 2
A | Month1 | 3
B | Month1 | 4
B | Month1 | 5
最好的办法是使用多个联合,但这会很长。有没有更有效的方法来解决这个问题?
在 Postgres 中,您可以使用横向联接取消透视:
select t.id, m.month, m.qty
from mytable t
cross join lateral (values (t.Month1, 'Month1'), (t.Month2, 'Month2')) as m(qty, month)
order by t.id, m.month
id | month | qty :- | :----- | --: A | Month1 | 2 A | Month2 | 3 B | Month1 | 4 B | Month2 | 5
另一种可能的方法是使用 generate_series
:
select
f.id,
'Month' || i as month,
case gs.i
when 1 then f.month1
when 2 then f.month2
end as month
from
foo f
cross join generate_series (1, 2) gs (i)