在报表的开发当中,难免会遇到行转列的问题。
以Oracle中scott的emp为例,统计各职位的人员在各部门的人数分布情况,就可以用“行转列”:
scott的emp的原始数据为:
使用“行转列”统计各职位的人员在各部门的分布人数后,数据为:
我们有2种方法可以实现上述行转列
一、经典的实现方式
主要是利用decode函数、聚合函数(如max、sum等)、group by分组实现的
select t.job, count(decode(t.deptno, '10', 1)) as "10(DEPTNO)",
count(decode(t.deptno, '20', 1)) as "20(DEPTNO)",
count(decode(t.deptno, '30', 1)) as "30(DEPTNO)",
count(decode(t.deptno, '40', 1)) as "40(DEPTNO)"
from scott.emp t
group by t.job;
二、PIVOT
Oracle 11g后,出现PIVOT,更简便地实现“行转列”。使用前,需确定数据库环境大于11g,最好也确认下生产环境的数据库是否大于11g,避免项目后期出现状况。
with tmp_tab as(
select t.job, t.deptno
from scott.emp t
)
select * from tmp_tab t pivot(count(1) for deptno in (10, 20, 30, 40));