如何按月和按年分组数据

时间:2012-12-06 12:59:51

标签: mysql

我有一个包含这样数据的表:

id | question | pub_date
1  | qeustion1| 2012-12-03
2  | qeustion2| 2012-12-06 
3  | qeustion3| 2012-11-03 
4  | qeustion4| 2011-12-03

我想要一个输出: 它应该根据年度,月份结果计数和Desc顺序计算记录,并且还应显示每行数据。

就我而言:

  • 年份:2012年有3条记录
  • 月份:2012年12月有2条记录
  • 年份:2011年有1条记录
  • 月份:2011年12月有1条记录。

我试过这个:

SELECT
    EXTRACT(MONTH FROM pub_date) as month, 
    EXTRACT(YEAR FROM pub_date) as year, 
    Count(id)
FROM 
    mytable
GROUP BY 
    month,
    year
ORDER BY 
    year DESC, 
    month DESC

我需要显示这样的数据,请参阅Site博客存档部分

2 个答案:

答案 0 :(得分:1)

试试这个:

select count(id)
from mytable
group by year(pub_date), month(pub_date)
order by year(pub_date) desc, month(pub_date) desc

如果您想知道哪些月份和年份,请使用:

select year(pub_date) as year, month(pub_date) as month, count(id), *
from mytable
group by year(pub_date), month(pub_date)
order by year(pub_date) desc, month(pub_date) desc

获取月份和年份的数据

select year(pub_date) as year, year_count, month(pub_date) as month, count(rowid) as month_count
from mytable u
, (
select year(pub_date) as year, count(rowid) year_count
from mytable
group by year(pub_date)
) as tab
where tab.year = year(u.pub_date)
group by year(pub_date), month(pub_date)

答案 1 :(得分:1)

我认为你想要的结果是:

2012           3
2012 12        2
2012 11        1
2011           1
2011 11        1

您可以在两个聚合查询上使用union来获取此信息:

select s.*
from ((select year(pub_date) as yr, NULL as month, count(*) as cnt
       from t
       group by year(pub_date)
      ) union all
      (select year(pub_date) as yr, month(pub_date) as mon, count(*) as cnt
       from t
       group by year(pub_date), month(pub_date)
      )
     ) s
order by yr desc,
         (case when mon is null then -1 else mon end)
相关问题