sql每月订阅率

0vvn1miw  于 2021-07-29  发布在  Java
关注(0)|答案(2)|浏览(320)

如何编写一个简明的sql来获得每月的订阅率。
公式:订阅率=订阅次数/试用次数
注意:棘手的部分是订阅事件应该归因于公司开始跟踪的月份。

| id    | date       | type  |
|-------|------------|-------|
| 10001 | 2019-01-01 | Trial |
| 10001 | 2019-01-15 | Sub   |
| 10002 | 2019-01-20 | Trial |
| 10002 | 2019-02-10 | Sub   |
| 10003 | 2019-01-01 | Trial |
| 10004 | 2019-02-10 | Trial |

Based on the above table, the out output should be:
2019-01-01  2/3
2019-02-01  0/1
km0tfn4u

km0tfn4u1#

一种选择是自连接,以确定每个试验是否最终订阅,然后是聚合和算术:

select 
    date_trunc('month', t.date) date_month
    1.0 * count(s.id) / count(t.id) rate
from mytable t
left join mytable s on s.id = t.id and s.type = 'Sub'
where t.type = 'Trial'
group by date_trunc('month', t.date)

将日期截短到月初的语法在不同的数据库中有很大差异。以上这些都适用于博士后。其他数据库也提供了替代方案,例如:

date_format(t.date, '%Y-%m-01')               -- MySQL
trunc(t.date, 'mm')                           -- Oracle
datefromparts(year(t.date), month(t.date), 1) -- SQL Server
aamkag61

aamkag612#

您可以使用窗口函数来实现这一点。假设没有重复的试用/订阅:

select date_trunc('month', date) as yyyymm,
       count(*) where (num_subs > 0) * 1.0 / count(*)
from (select t.*, 
             count(*) filter (where type = 'Sub') over (partition by id) as num_subs
      from t
     ) t
where type = 'Trial'
group by yyyymm;

如果 id 可以有重复的试验或潜艇,那么我建议你问一个新的问题,更详细的重复。
您还可以使用两个聚合级别来完成此操作:

select trial_date, 
       count(sub_date) * 1.0 / count(*)
from (select id, min(date) filter (where type = 'trial') as trial_date,
             min(date) filter (where type = 'sub') as sub_date
      from t
      group by id
     ) id
group by trial_date;

相关问题