0

我正在尝试显示总计的增量(当前与前一天),但月份功能在 oracle 中不起作用。我也使用 denodo 来运行这个查询。我尝试添加一个提取功能以使其适用于月份,但似乎也无法正常工作。

足疗:

study id        date         total
RSCLS CA10001  2020-08-11    52
RSCLS CA10001  2020-08-10    52
ETDLD CA20302  2020-08-11    99
ERGKG CA34524  2020-08-11    31

询问:

select
  tt1.study,
  tt1.id,
  tt1.date,
  tt1.total,
  (tt1.total-ifnull(tt2.total, 0)) as delta
from pedics tt1
  left outer JOIN pedics tt2 on tt1.total = tt2.total
    and month(tt1.date1)-month(tt2.date1)=1;
4

2 回答 2

2

不要使用month()extract()为此!它不会在一月份工作。反而:

select tt1.study, tt1.id, tt1.date, tt1.total,
       (tt1.total - coalesce(tt2.total, 0)) as delta
from pedics tt1 left outer join
     pedics tt2
     on tt1.total = tt2.total and
        trunc(tt1.date1, 'MON') = trunc(tt2.date1, 'MON') + interval '1' month;

但是,您的问题表明您只需要基于日期的上一行。所以,我想你真的想要:

select p.*,
       (p.total - lag(p.total, 1, 0) over (partition by study_id order by date)) as delta
from pedics p;
于 2020-09-03T11:39:44.553 回答
0

您可以尝试以下方法 - 使用extract(month from datecolumn)

select
  tt1.study,
  tt1.id,
  tt1.date,
  tt1.total,
  tt1.total-coalesce(tt2.total, 0) as delta
from pedics tt1
  left outer JOIN pedics tt2 on tt1.total = tt2.total
    and extract(month from tt1.date)-extract(month from tt2.date)=1
于 2020-09-03T08:18:39.770 回答