我有一张表t
,其中包含以下数据:
name | n
------------+---
school | 4
hotel | 2
restaurant | 6
school | 3
school | 5
hotel | 1
当我运行以下查询时,结果有些奇怪。
select name, n,
first_value(n) over (partition by name order by n desc),
last_value(n) over (partition by name order by n)
from t;
name | n | first_value | last_value
------------+---+-------------+------------
hotel | 1 | 2 | 1
hotel | 2 | 2 | 2
restaurant | 6 | 6 | 6
school | 3 | 5 | 3
school | 4 | 5 | 4
school | 5 | 5 | 5
(6 rows)
尽管first_value
按预期工作,但last_value
却很奇怪。我认为last_value
列的值应与first_value
相同,因为first_value
按n
降序排列。
这是一个PostgreSQL的错误还是我错过了什么?
PostgreSQL的版本是:
postgres=# select version();
version
-----------------------------------------------------------------------------------------------------------------------------------
PostgreSQL 9.4.1 on x86_64-apple-darwin14.1.0, compiled by Apple LLVM version 6.0 (clang-600.0.56) (based on LLVM 3.5svn), 64-bit
(1 row)
答案 0 :(得分:11)
不,这不是错误。 first_value()
和last_value()
函数适用于窗口框架,而非分区。根据{{3}},窗口框架默认为分区的开始,如果未指定frame_clause
,则为当前行。这正是first_value()
所需要的,但对于last_value()
,您应该将range between unbounded preceding and unbounded following
添加到WINDOW
定义中以超越当前行:
select name, n,
first_value(n) over (partition by name order by n desc),
last_value(n) over (partition by name order by n
range between unbounded preceding and unbounded following)
from t;
另请注意,这与分区中行的排序无关。排序按特定顺序生成分区(不出意料),然后基于框架的函数在窗口框架上工作,而不知道或关心行的任何排序。