每月Wordpress帖子数

时间:2010-07-19 23:54:10

标签: sql mysql wordpress

我需要在Wordpress中运行查询以获取每月有多少帖子,包括零。

我的查询现在返回我想要返回的第一部分:

select
distinct date_format(post_date, '%y') "year",
date_format(post_date, '%b') "month",
from wp_posts
where post_type = 'post'
and post_status = 'publish'
group by date_format(post_date, '%y'), date_format(post_date, '%b')
order by date_format(post_date, '%y') desc, post_date

它返回类似:

|   year   |   month   |   count   |
------------------------------------
|   10     |   Jan     |     4     |
|   10     |   Feb     |     2     |
|   10     |   Mar     |     1     |
|   10     |   Apr     |     6     |
|   09     |   Jan     |     4     |
|   09     |   Feb     |     2     |

我需要返回类似的内容:

|   year   |   month   |   count   |
------------------------------------
|   10     |   Jan     |     4     |
|   10     |   Feb     |     2     |
|   10     |   Mar     |     1     |
|   10     |   Apr     |     6     |
|   10     |   May     |     0     |
|   10     |   Jun     |     0     |
|   10     |   Jul     |     0     |
|   10     |   Aug     |     0     |
|   10     |   Sep     |     0     |
|   10     |   Oct     |     0     |
|   10     |   Nov     |     0     |
|   10     |   Dec     |     0     |
|   09     |   Jan     |     4     |
|   09     |   Feb     |     2     |
|   09     |   Mar     |     0     |
|   09     |   Apr     |     0     |
|   09     |   May     |     0     |
|   09     |   Jun     |     0     |
|   09     |   Jul     |     0     |
|   09     |   Aug     |     0     |
|   09     |   Sep     |     0     |
|   09     |   Oct     |     0     |
|   09     |   Nov     |     0     |
|   09     |   Dec     |     0     |

我会在Oracle中使用rownum,但我无法使用MySQL语法找出查询。非常感谢任何帮助。

1 个答案:

答案 0 :(得分:5)

这需要数字表技巧 -

  1. 创建一个名为NUMBERS的表:

    DROP TABLE IF EXISTS `example`.`numbers`;
    CREATE TABLE  `example`.`numbers` (
      `id` int(10) unsigned NOT NULL auto_increment,
       PRIMARY KEY  (`id`)
    ) ENGINE=InnoDB DEFAULT CHARSET=latin1;
    
  2. 通过运行以下至少二十几次来填充表格:

    INSERT INTO NUMBERS (id) VALUES (NULL)
    
  3. 这将允许您使用以下方式生成日期列表:

    SELECT DATE(DATE_ADD('2009-01-01', INTERVAL n.id MONTH)) AS dt
      FROM NUMBERS n
    

    现在,您可以将当前查询加入日期列表:

       SELECT DATE_FORMAT(x.dt, '%y') "year",
              DATE_FORMAT(x.dt, '%b') "month",
              COUNT(*) AS count
         FROM (SELECT DATE_ADD('2009-01-01', INTERVAL n.id MONTH) AS dt
                 FROM NUMBERS n) x
    LEFT JOIN WP_POSTS wp ON MONTH(wp.post_date) = MONTH(x.dt)
                         AND YEAR(wp.post_date) = YEAR(x.dt)
                         AND wp.post_type = 'post'
                         AND wp.post_status = 'publish'
        WHERE YEAR(x.dt) IN (2009, 2010)
     GROUP BY DATE_FORMAT(x.dt, '%y'), DATE_FORMAT(x.dt, '%b')
     ORDER BY DATE_FORMAT(x.dt, '%y') DESC, MONTH(x.dt)