我有一个包含以下结构的表
Event Id | Year
-------------------
1xxxxx | 2014
2xxxxx | 2014
3xxxxx | 2014
4xxxxx | 2014
5xxxxx | 2014
6xxxxx | 2015
7xxxxx | 2015
8xxxxx | 2015
我需要找到2015年发生的事件数量与2014年相比的增长百分比。我需要使用单个SQL查询找到它。我怎样才能做到这一点?
例如,如果我们记录2014年发生的事件数量等于5,2015年同样为3。因此,与2014年相比,2015年事件的百分比增长为((3-5)* 100)/ 5 = -40.0%。
答案 0 :(得分:2)
以下是通用声明,不仅限于2014年和2015年:
CREATE TABLE test (id INT, year int);
Insert into test values
(1, 2014),
(2, 2014),
(3, 2014),
(4, 2014),
(5, 2014),
(6, 2015),
(7, 2015),
(8, 2015),
(9, 2016)
;with cte as(
select year y, count(*) c from test
group by year)
select c1.y,
ca.y,
(c1.c - ca.c)*100.0/ca.c inc,
(ca.c - c1.c)*100.0/c1.c dec
from cte c1
cross apply(select top 1 * from cte c2 where c2.y < c1.y order by c2.y desc)ca
输出:
y y inc dec
2015 2014 -40 66.666666666666
2016 2015 -66.666666666666 200
答案 1 :(得分:1)
如果我理解正确,你可以用条件聚合来做到这一点:
select sum(case when year = 2014 then 1 else 0 end) as ev_2014,
sum(case when year = 2015 then 1 else 0 end) as ev_2015,
(sum(case when year = 2015 then 100.0 else 0 end)
sum(case when year = 2014 then 1.0 end)
) - 100.0 as percent_change
from table t;