我在Linux主机上安排了一些cron作业。 每个作业都将执行日志写入Oracle数据库表。该表有一个结果列,可以使用“OK”或“KO”进行评估。该表还有一个时间戳列,该列使用作业的上次执行时间进行估算。 通过这种方式,我确信工作结果。 现在我需要确保工作实际上已经运行了。 我有另一个带有作业ID和cron表达式的表,例如:
JOB_ID SCHEDULE
102 00 09 * * *
如何编写sql select以根据SCHEDULE字段(cron表达式)检查上次执行时间?
我会感谢任何建议,我可以改变我的方法,但我想在数据库表中使用cron语法
此致 Giova
答案 0 :(得分:1)
您可以使用regexp_substr
函数从计划元组中提取单个元素。例如,regexp_substr(schedule, '[0-9*]+', 1,1)
将提取分钟元素,而regexp_substr(sched, '[0-9*]+', 1, 2)
将提取小时元素。第4个参数选择所需的元素。然后,您可以使用EXTRACT
或TO_CHAR
函数获取时间戳的各个部分以进行比较。
with cron(ID, Sched) as (
select 102, '00 9 * * * *' from dual
), exec(id, ts) as (
select 102, to_timestamp('2017-11-05 9:00:00', 'yyyy-mm-dd hh24:mi:ss') from dual union all
select 102, to_timestamp('2017-11-05 9:05:00', 'yyyy-mm-dd hh24:mi:ss') from dual
), c2 as (
select id
, sched
, regexp_substr(sched,'[0-9*]+',1,1) min
, regexp_substr(sched,'[0-9*]+',1,2) hour
, regexp_substr(sched,'[0-9*]+',1,3) day
, regexp_substr(sched,'[0-9*]+',1,4) mon
, regexp_substr(sched,'[0-9*]+',1,5) wday
, regexp_substr(sched,'[0-9*]+',1,6) year
from cron
)
select c2.*
, exec.ts
, case when (year = '*' or to_number(to_char(ts,'yyyy')) = to_number(year))
and (mon = '*' or to_number(to_char(ts,'mm') ) = to_number(mon ))
and (day = '*' or to_number(to_char(ts,'dd') ) = to_number(day ))
and (hour = '*' or to_number(to_char(ts,'hh24')) = to_number(hour))
and (min = '*' or to_number(to_char(ts,'mi') ) = to_number(min ))
and (wday = '*' or to_number(to_char(ts,'d') ) = to_number(wday))
then 'OK'
else 'KO'
end Match
from exec
join c2
on c2.id = exec.id;
根据需要从case语句中部分或全部移动逻辑表达式,以获得所需的结果。