0

我是 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

谢谢

4

2 回答 2

5

您之所以得到这样的输出,仅仅是因为您正在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 
于 2013-10-09T20:03:22.893 回答
1

像这样的东西:

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

有关更多详细信息,您可以参考文档。

于 2013-10-09T19:21:55.693 回答