在9i 版本以前,Oracle 没有内置的方式来记录时间的流逝。date型数据用来记录单独的时间点;但是要表达一个时间量(也就是一个间隔),数据库的设计者就必须把时间间隔转换成原始单位秒,然后用一个number列来保存它。
虽然number这个数据类型可以以秒为单位准确地表示时间,但是它使得时间的计算变得很困难。比如,60秒是1分钟,60分钟是1个小时,24个小时等于1天——这些数字在以十进制为基础的数字系统中都是非常蹩脚的。
在oracle 9i中,按照sql 99标准,增加了时间间隔型数据interval year to month 和 interval day to second,它们和其他几种数据类型一起使得对时间的处理更加准确。timestamp、timestamp with time zone和timestamp with local time zone等数据类型都把时间的表达精确到了若干分之一秒,而且后面两种还解决了地理位置造成的时间变化。
在sql和pl/sql中,你都可以用时间间隔型数据,它们都是用同一种方式规定的:
interval year[(year_precision)] to month interval day[(day_precision)] to second[(fractional_seconds_precision)]
对于精确数值,规定有缺省值:年和日是两位数,若干分之一秒是六位数。
时间间隔的大小由interval来表示,后面紧接一个放在单引号中的表达式,以及用来解释该表达式的文字。用year to month表示时间间隔大小时要在年和月之间用一个连字符(-) 连接。而day to second表示时间间隔大小时要在日和时间之间用一个空格连接。举个例子来说,下面是2年6个月的时间间隔的表示方法:
interval '2-6' year to month
下面的例子表示3天12个小时30分钟6.7秒:
interval '3 12:30:06.7' day to second(1)
时间间隔可以为正,也可以为负。它们可以从各种timestamp数据类型中加上或者减去,从而得到一个新的timestamp数据类型。它们之间也可以做加减运算得到新的时间间隔。
列表a说明了怎样创建一个表格来记录一个事件的开始时间和持续时间,如实验等。数据被收集以后,sql中内置的摘要函数不需要与原始单位秒进行相互转换,就可以报告总的持续时间和平均持续时间。
create table experiment (experiment_id number(9), experiment_desc varchar2(80), experiment_start timestamp, experiment_duration interval day(1) to second(4) ); table created. insert into experiment values ( 1, 'busted urban myth', '01-jun-2006 02:00:00 pm', interval '1 2:31:15.1250' day(1) to second(4) ); 1 row created. col experiment_desc format a40 col experiment_start format a30 col experiment_duration format a20 select * from experiment; experiment_id experiment_desc experiment_start experiment_duration 1 busted urban myth 01-jun-06 02.00.00.000000 pm 1 02:31:15.1250 -- now compute the experiment's ending time select experiment_id, experiment_start, experiment_start experiment_durationexperiment_end from experiment; experiment_id experiment_start experiment_end 1 01-jun-06 02.00.00.000000 pm 02-jun-06 04.31.15.125000000 pm
但遗憾的是, to_char函数中没有包括任何能够映射到各个时间间隔数据类型片段的格式模型。但是,你可以用新的extract函数来提取和合并这些片段。格式如下:
extract(timepart from interval_expression)
列表b给出了一个运用这种方法的例子。
code:select extract(day from experiment_duration) || ' days, ' || extract (hour from experiment_duration) || ' hours, ' || extract (minute from experiment_duration) || ' minutes' duration from experiment; duration 1 days, 2 hours, 31 minutes
首先,从experiment_duration列中将天数提取出来,文字“days”是与之相联的。对于实验持续时间中的小时和分钟部分,操作与上述方法一样。