无法让sql在postgresql数据库中进行一些报告工作。我正在使用两个表,下面列出了相关的列:
可以在cohead_id = comment_source_id上加入两者,以查找与订单相关的所有评论。
当我们向订单准备服务提交拣配订单时,我们会在相关订单中插入带有“已提交”文本的注释。当我们通过订单准备服务关闭订单时,我们会为该订单插入“已开票”的评论。
我想要做的是获取一个时段中每天的列表,比如上个月,列出当天或之前提交的订单数量,但尚未开具发票一天。
我遇到了一些概念上的问题,我尝试过的连接速度很慢。
有什么想法吗?
答案 0 :(得分:2)
截取日期'20130731'
,'20130805'
作为示例开始日期和结束日期,此查询将在这两个日期之间每天返回您需要的计数。您可以更改实际查询的参数。
;with cte as (
select d::date as d
from generate_series('20130731', '20130805', interval '1 day') as d
)
select
cte.d,
count(o.cohead_id) as cnt
from cte
left outer join cohead as o on
o.cohead_orderdate <= cte.d and
not exists (
select *
from comment as c
where
c.comment_date <= cte.d and
c.comment_text = 'Invoiced' and
c.comment_source_id = o.cohead_id
)
group by cte.d
order by cte.d
请参阅SQL FIDDLE EXAMPLE - 您可以添加/删除行并检查其是否正常。
希望有所帮助。
<强>更新强>: 如果您想要提交日期而不是订单日期,则根本不需要查询订单表:
;with cte as (
select d::date as d
from generate_series('20130731', '20130805', interval '1 day') as d
), cte2 as (
select
c1.comment_date as submitted_date,
c2.comment_date as invoiced_date,
count(*) as cnt
from comment as c1
left outer join comment as c2 on
c2.comment_source_id = c1.comment_source_id and
c2.comment_text = 'Invoiced'
where c1.comment_text = 'Submitted'
group by c1.comment_date, c2.comment_date
)
select c1.d, sum(c2.cnt)
from cte as c1
left outer join cte2 as c2 on
c2.submitted_date <= c1.d and
(c2.invoiced_date is null or c2.invoiced_date > c1.d)
group by c1.d
order by c1.d
请参阅SQL FIDDLE更新的查询
更新2 ,因为OP说他的查询性能有问题,我试图用窗口函数编写另一个。这个想法是为所有日期计数提交类型的评论减去发票类型的评论,然后得到滚动总数。
;with cte1 as (
select d::date as d
from generate_series('20130731', '20130805', interval '1 day') as d
), cte2 as (
select
greatest('20130731', c.comment_date) as comment_date,
c.comment_text, count(*) as cnt
from comment as c
where
c.comment_text in ('Invoiced', 'Submitted') and
c.comment_date <= '20130805'
group by greatest('20130731', c.comment_date), c.comment_text
), cte3 as (
select
coalesce(cs.cnt, 0) - coalesce(ci.cnt, 0) as cnt,
coalesce(cs.comment_date, ci.comment_date) as comment_date
from (select * from cte2 where comment_text = 'Submitted') as cs
full outer join (select * from cte2 where comment_text = 'Invoiced') as ci on
cs.comment_date = ci.comment_date
)
select c1.d, sum(c3.cnt) over (order by c1.d)
from cte1 as c1
left outer join cte3 as c3 on c3.comment_date = c1.d
order by c1.d