获取两个Oracle时间戳之间的秒数

Pet*_*ang 18 oracle timestamp

Tom Kyte 建议使用它EXTRACT来区别对待:

extract( day from (x-y) )*24*60*60+
extract( hour from (x-y) )*60*60+
...
Run Code Online (Sandbox Code Playgroud)

这似乎更难以阅读并且比这更慢,例如:

( CAST( x AS DATE ) - CAST( y AS DATE ) ) * 86400
Run Code Online (Sandbox Code Playgroud)

那么,在几秒钟内获得两个时间戳之间差异的方法是什么?谢谢!

Jef*_*emp 17

"最佳实践"

无论你做什么,将它包装在一个函数中,例如seconds_between (from_date, to_date)- 无论它是如何做的(选择最有效的方法) - 然后你的代码正在做什么将是非常明显的.

性能

我在笔记本电脑(WinXP)上测试了11gR1上的两种方法,测试用例如下.似乎CAST选项是最快的.(t1是基线,t2使用extract方法,t3使用该cast方法)

t1 (nothing) 3
t2 (extract) 338
t3 (cast)    101

t1 (nothing) 3
t2 (extract) 336
t3 (cast)    100
Run Code Online (Sandbox Code Playgroud)

测试脚本

declare
 x TIMESTAMP := SYSTIMESTAMP;
 y TIMESTAMP := TRUNC(SYSDATE);
 n PLS_INTEGER;
 lc CONSTANT PLS_INTEGER := 1000000;
 t1 PLS_INTEGER;
 t2 PLS_INTEGER;
 t3 PLS_INTEGER;
begin
 t1 := DBMS_UTILITY.get_time;
 for i in 1..lc loop
  n := i;
 end loop;
 t1 := DBMS_UTILITY.get_time - t1;
 t2 := DBMS_UTILITY.get_time;
 for i in 1..lc loop
  n := extract(day from (x-y))*24*60*60
     + extract(hour from (x-y))*60*60
     + extract(minute from (x-y))*60
     + extract(second from (x-y));
 end loop;
 t2 := DBMS_UTILITY.get_time - t2;
 t3 := DBMS_UTILITY.get_time;
 for i in 1..lc loop
  n := ( CAST( x AS DATE ) - CAST( y AS DATE ) ) * 86400;
 end loop;
 t3 := DBMS_UTILITY.get_time - t3;
 dbms_output.put_line('t1 (nothing) ' || t1);
 dbms_output.put_line('t2 (extract) ' || t2);
 dbms_output.put_line('t3 (cast)    ' || t3);
end;
Run Code Online (Sandbox Code Playgroud)

  • 刚才注意到`extract`方法包含一秒的分数,而`cast`方法截断它们. (2认同)

小智 9

替代方案:
我发现这也可以在几秒钟内获得差异,包括毫秒.
它甚至可以节省"夏令时"的时区,而提取方法会有问题.不幸的是,t1和t2之间的差异是有限的,结果是正确的.将时间戳转换为日期格式不是一种选择,因为秒的分数会丢失.

select (sysdate + (t2 - t1)*1000 - sysdate) * 86.4 from 
(select  
    to_timestamp('2014-03-30 01:00:10.111','YYYY-MM-DD HH24:MI:SS.FF') at time zone 'MET' t1, 
    to_timestamp('2014-03-30 03:00:10.112','YYYY-MM-DD HH24:MI:SS.FF') at time zone 'MET' t2 
 from dual);
Run Code Online (Sandbox Code Playgroud)


小智 6

为了快速、方便地使用:

extract( day from(t2 - t1)*24*60*60)
Run Code Online (Sandbox Code Playgroud)

例子:

with dates as (
   select
        to_timestamp('2019-06-18 22:50:00', 'yyyy-mm-dd hh24:mi:ss') t1
      , to_timestamp('2019-06-19 00:00:38', 'yyyy-mm-dd hh24:mi:ss') t2
   from dual
)
select
    extract( day from(t2 - t1)*24*60*60) diff_in_seconds
from dates
;
Run Code Online (Sandbox Code Playgroud)

输出:

DIFF_IN_SECONDS
---------------
            638
Run Code Online (Sandbox Code Playgroud)


Adr*_*ith 3

我一直使用第二种方法,即比较日期(它给出了天数差异,带有小数部分),然后乘以你想要给出的小时数、分钟数、秒数或其他值的因子。

我认为这很好,而且很容易阅读。