我有一个oracle查询:
select to_char(te.HORA, 'hh24:mi') HORARIO, count(1) CANTIDAD
from db.t_error te
where (te.error LIKE 'ERR-108' or te.error LIKE 'ERR-256')
and te.HORA >= to_HORA('29-07-2016 18:50', 'dd-mm-yyyy hh24:mi')
and te.HORA <= to_HORA('29-07-2016 19:00', 'dd-mm-yyyy hh24:mi')
group by to_char(te.HORA, 'hh24:mi')
order by to_char(te.HORA, 'hh24:mi');
结果(表):
HORARIO | CANTIDAD
18:53 2
18:56 2
18:58 1
18:59 1
但我需要结果包括所有分钟(表):
HORARIO | CANTIDAD
18:50 0
18:51 0
18:52 0
18:53 2
18:54 0
18:55 0
18:56 2
18:57 0
18:58 1
18:59 1
19:00 0
使用0值逐分钟计数,或计数(1)的结果不匹配。
我希望得到帮助!
谢谢。
这不是一个好的解决方案(应该实现为直接与代码一起工作,而不是作为附加组件),但它说明了应该如何做到这一点。
在此上下文中,to_date
将时间(使用hh24:mi
格式模型)添加到当前月份的第一天,但您并不关心这一点,因为您提取了小时和分钟,并丢弃了其余的时间。
在代码中要修复的最大问题是使用字符串。最好将所有内容都放在日期数据类型中,按日期数据类型分组(直到分钟),并且在最后只使用to_char()
进行显示。如果你需要帮助,请回信。
with
your_table ( horario, cantidad ) as (
select '18:53', 2 from dual union all
select '18:56', 2 from dual union all
select '18:58', 1 from dual union all
select '18:59', 1 from dual
),
all_times ( horario ) as (
select to_char( to_date('18:50', 'hh24:mi') + (level - 1) / (24 * 60), 'hh24:mi')
from dual
connect by level <= 1 + (to_date('19:00', 'hh24:mi') -
to_date('18:50', 'hh24:mi')) * 24 * 60
)
select a.horario, nvl(y.cantidad, 0) as cantidad
from all_times a left outer join your_table y
on a.horario = y.horario
order by horario
;
HORARIO CANTIDAD
------- ----------
18:50 0
18:51 0
18:52 0
18:53 2
18:54 0
18:55 0
18:56 2
18:57 0
18:58 1
18:59 1
19:00 0
11 rows selected.
编辑:
对于一个不需要额外努力的"廉价"解决方案,您可以将原始查询直接插入到"your_table"分解的子查询中,就像这样(但我没有您的基表,所以我无法测试)。
with
your_table ( horario, cantidad ) as (
select to_char(te.HORA, 'hh24:mi') HORARIO, count(1) CANTIDAD
from db.t_error te
where (te.error LIKE 'ERR-108' or te.error LIKE 'ERR-256')
and te.HORA >= to_HORA('29-07-2016 18:50', 'dd-mm-yyyy hh24:mi')
and te.HORA <= to_HORA('29-07-2016 19:00', 'dd-mm-yyyy hh24:mi')
group by to_char(te.HORA, 'hh24:mi')
),
all_times ( horario ) as (
select to_char( to_date('18:50', 'hh24:mi') + (level - 1) / (24 * 60), 'hh24:mi')
from dual
connect by level <= 1 + (to_date('19:00', 'hh24:mi') -
to_date('18:50', 'hh24:mi')) * 24 * 60
)
select a.horario, nvl(y.cantidad, 0) as cantidad
from all_times a left outer join your_table y
on a.horario = y.horario
order by horario
;