我是 SQL 新手,我想知道如何旋转一个表,例如:
Col1 Col2 Col3
1 a w
2 a x
1 b y
2 b z
进入
Col1 a b
1 w y
2 x z
我在玩,GROUP BY
但我似乎无法将唯一的行变成列
这可以使用带有CASE
表达式的聚合函数来完成:
select col1,
max(case when col2 = 'a' then col3 end) a,
max(case when col2 = 'b' then col3 end) b
from yourtable
group by col1
如果您正在使用带有PIVOT
函数的 RDBMS(SQL Server 2005+ / Oracle 11g+),那么您的查询将与此类似(注意:以下 Oracle 语法):
select *
from
(
select col1, col2, col3
from yourtable
)
pivot
(
max(col3)
for col2 in ('a', 'b')
)
最后一种方法是在同一个表上使用多个连接:
select t1.col1,
t1.col3 a,
t2.col3 b
from yourtable t1
left join yourtable t2
on t1.col1 = t2.col1
and t2.col2 = 'b'
where t1.col2 = 'a'
都给出结果:
| COL1 | 'A' | 'B' |
--------------------
| 1 | w | y |
| 2 | x | z |
如果您要求 Col2 中的不同值可以在不强制更改查询定义的情况下进行更改,您可能正在寻找像SQL Analysis Services这样的OLAP结构。
你应该尝试类似的东西
select * from
(select Col1, Col2, Col3 from TableName)
pivot xml (max(Col3)
for Col2 in (any) )
我在手机上,所以我无法测试它现在是否正常工作。