mysql多种条件分组排序求某类最新一条

mysql多种条件分组排序求某类最新一条
CREATE TABLE `test` (
  `id` int(11) NOT NULL AUTO_INCREMENT,
  `name` varchar(255) CHARACTER SET latin1 DEFAULT NULL,
  `category_id` int(11) DEFAULT NULL,
  `date` datetime DEFAULT NULL,
  PRIMARY KEY (`id`)
) ENGINE=MyISAM AUTO_INCREMENT=7 DEFAULT CHARSET=utf8
mysql多种条件分组排序求某类最新一条

这两天让一个数据查询难了。主要是对group by 理解的不够深入。才出现这样的情况,后来网上学习了一下,并记录下来分享给大家。这种需求,我想很多人都遇到过。下面是我模拟我的内容表

mysql多种条件分组排序求某类最新一条

我现在需要取出每个分类中最新的内容

select * from test group by category_id order by `date`

结果如下

mysql多种条件分组排序求某类最新一条

明显。这不是我想要的数据,正确的SQL语句如下:

select a.* from test a where 1 > (select count(*) from test where category_id = a.category_id and date > a.date) order by a.name,a.date

写的顺序:select ... from... where.... group by... having... order by..
执行顺序:from... where...group by... having.... select ... order by...

所以在order by拿到的结果里已经是分组的完的最后结果。
由from到where的结果如下的内容。

mysql多种条件分组排序求某类最新一条

到group by时就得到了根据category_id分出来的多个小组

mysql多种条件分组排序求某类最新一条

mysql多种条件分组排序求某类最新一条

到了select的时候,只从上面的每个组里取第一条信息结果会如下

mysql多种条件分组排序求某类最新一条

即使order by也只是从上面的结果里进行排序。并不是每个分类的最新信息。
回到我的目的上 --分类中最新的信息
根据上面的分析,group by到select时只取到分组里的第一条信息。有两个解决方法
1,where+group by(对小组进行排序)
2,从form返回的数据下手脚(即用子查询)

由where+group by的解决方法
对group by里的小组进行排序的函数我只查到group_concat()可以进行排序,但group_concat的作用是将小组里的字段里的值进行串联起来。

select group_concat(id order by `date` desc) from `test` group by category_id

再改进一下

select * from `test` where id in(select SUBSTRING_INDEX(group_concat(id order by `date` desc),‘,‘,1) from `test` group by category_id ) order by `date` desc

mysql多种条件分组排序求某类最新一条

子查询解决方案

select * from (select * from `test` order by `date` desc) `temp`  group by category_id order by `date` desc

mysql多种条件分组排序求某类最新一条

还可以这样

SELECT * FROM test t WHERE date=(select MAX(date) from test where category_id=t.category_id) GROUP BY category_id  order by `date` desc;

 个人使用:

根据要求需要求表单关联项目下,每个项目每年最新的一条表单数据。

外键ID vc_invest_id ,vc_report_year 两种类型进行分组 求最新一条,原始的order by 会自动按照l_id从小到大排序不满足。

正确做法先查询结果,再加如下限制条件。

只需要在查询结果后面加上如下:

l_id in (
select SUBSTRING_INDEX(group_concat(l_id order by d_create_time desc),‘,‘,1) from fin_report group by VC_INVEST_ID ,VC_REPORT_YEAR
)

转:http://www.manongjc.com/article/1083.html 

转:https://www.cnblogs.com/fps2tao/p/9038268.html

相关推荐