Oracle SQL 基础:窗口函数(三)错行函数(lag,lead)的使用

2022-08-19 20:56:52 浏览数 (1)

今天讲一下错行函数(lag,lead)函数如何使用窗口函数。

代码语言:javascript复制
Lag(exp_str,offset,defval) over()  
Lead(exp_str,offset,defval) over()  

    --exp_str要取的列  
    --offset取偏移后的第几行数据  
    --defval:没有符合条件的默认值

下面是表“test_student_score”的全部记录。

代码语言:javascript复制
SQL> select t.* from test_student_score t;

STUDENT_ID SUBJECT_ID      SCORE
---------- ---------- ----------
         1          1         90
         3          4         91
         3          1         93
         3          3         94
         3          2         94
         1          4         95
         2          2         95
         2          4         97
         2          1         98
         1          2         98
         2          3         98
         1          3         99

12行が選択されました。

先看一下不用这两个函数式的原始输出:

代码语言:javascript复制
SQL> select * from test_student_score t where t.subject_id = 3;

STUDENT_ID SUBJECT_ID      SCORE
---------- ---------- ----------
         1          3         99
         2          3         98
         3          3         94

下面我们不仅要看“score”,还要看看排在他前一位的“score”。

代码语言:javascript复制
SQL> select t.subject_id,
       t.subject_id,
       lag(t.score, 1, -1) over(order by t.score) as lags,
       t.score
  from test_student_score t
where t.subject_id = 3;  2    3    4    5    6

SUBJECT_ID SUBJECT_ID       LAGS      SCORE
---------- ---------- ---------- ----------
         3          3         -1         94
         3          3         94         98
         3          3         98         99

lags”就是前一位的“score”。

现在我们还要看看排在他后一位的“score”。

代码语言:javascript复制
SQL> select t.subject_id,
       t.subject_id,
       lag(t.score, 1, -1) over(order by t.score) as lags,
       t.score,
       lead(t.score, 1, -1) over(order by t.score) as leads
  from test_student_score t
where t.subject_id = 3;

SUBJECT_ID SUBJECT_ID       LAGS      SCORE      LEADS
---------- ---------- ---------- ---------- ----------
         3          3         -1         94         98
         3          3         94         98         99
         3          3         98         99         -1

leads”就是后一位的“score”。

Do you get it?

0 人点赞