1

我将尽可能简化问题:

我有一个 oracle 表:

row_priority, col1, col2, col3
0, .1, 100, {null}
12, {null}, {null}, 3
24, .2, {null}, {null}

期望的结果:

col1, col2, col3
.2, 100, 3

因此,根据行的优先级,如果给定,它会覆盖先前的行值。

我正在尝试使用表格上的分析函数来制定解决方案,但它只是没有表现......

我尝试:

select last_value(col1 ignore nulls) over () col1,
       last_value(col2 ignore nulls) over () col2,
       last_value(col3 ignore nulls) over () col3
from (select * from THE_TABLE order by row_priority)
where rownum = 1

或相反:

select first_value(col1 ignore nulls) over () col1,
       first_value(col2 ignore nulls) over () col2,
       first_value(col3 ignore nulls) over () col3
from (select * from THE_TABLE order by row_priority desc)
where rownum = 1

而且似乎都没有忽略空值。有什么提示吗?

4

3 回答 3

2

您需要将 rownum = 1 放在分析查询之外

SELECT  *
FROM    (   select          last_value(col1 ignore nulls) over () col1,
                            last_value(col2 ignore nulls) over () col2,
                            last_value(col3 ignore nulls) over () col3
            from (select * from THE_TABLE ORDER BY ROW_PRIORITY)
        )
WHERE   ROWNUM = 1

这导致(使用上面的值):

COL1   COL2    COL3
------ ------- ----
0.2    100     3
于 2008-11-04T14:14:22.387 回答
-1

COALESCE 功能在这里可能对您有所帮助。也许像...

select first_value(coalesce(col1,0) ignore nulls) over () col1,
       first_value(coalesce(col2,0) ignore nulls) over () col2,
       first_value(coalesce(col3,0) ignore nulls) over () col3
from THE_TABLE
于 2008-11-04T13:47:14.483 回答
-1

替代:

SELECT
  MAX(col1) KEEP (DENSE_RANK LAST ORDER BY row_priority),
  MAX(col2) KEEP (DENSE_RANK LAST ORDER BY row_priority),
  MAX(col3) KEEP (DENSE_RANK LAST ORDER BY row_priority)
FROM the_table

其性能可能与解析版本不同;是好是坏取决于你的数据和环境。

于 2008-11-04T18:20:54.277 回答