Oracle pivot运算符

时间:2013-10-09 19:11:45

标签: sql oracle

我是oracle pivot的新手。这可能吗?

我有两列TypeValue

type     value
---------------
a        a1
b        b1
c        c1
etc

我能在一行中得到这样的东西吗?

a   b    c 
a1  b1   c1

在尝试这样的查询后,我得到了这样的输出

  select A,B from tbl
  pivot (max(value) for type in ('a' as A,'b' as B))

  ------------------------------------
    A    B
   null  b1
   a1    null

谢谢

2 个答案:

答案 0 :(得分:4)

您正在获取这样的输出只是因为您正在针对表(您的select表)发出tbl语句,该表可能包含一列(例如主键列),该列唯一标识一行并且pivot运算符考虑该列的值。这是一个简单的例子:

/*assume it's your table tbl */
with tbl(unique_col, col1, col2) as(
  select 1, 'a',  'a1' from dual union all
  select 2, 'b',  'b1' from dual union all
  select 3, 'c',  'c1' from dual
)

针对此类表的查询将为您提供问题中提供的输出(不良输出):

select A,B 
  from tbl
pivot(
  max(col2) for col1 in ('a' as A,'b' as B)
)

结果:

A    B
--   --
a1   null   
null b1

为了产生所需的输出,您需要排除具有行的唯一值的列:

select A
     , B 
  from (select col1 
             , col2  /*selecting only those columns we are interested in*/
           from tbl ) 
  pivot(
    max(col2) for col1 in ('a' as A,'b' as B)
  )

结果:

A  B
-- --
a1 b1 

答案 1 :(得分:1)

这样的事情:

SELECT a, b, c
  FROM tbl
 PIVOT
 (
   MAX(Value) FOR Type IN ('a' as a, 
                           'b' as b, 
                           'c' as c)
 )

有关详细信息,请参阅this文档。