Mysql去重查询(根据指定字段去重)在⽇常数据查询中,多有需要进⾏数据去重的查询,或删除重复数据的情况,以下罗列集中数据去重查询:
1、根据全部字段的去重查询:
select distinct * from table
2、根据某些字段的去重查询(不考虑查询其他字段)
select distinct c_name,c_year,c_month from table
或者:
select c_name,c_year,c_month from table
group by c_name,c_year,c_month
3、根据某些字段的去重查询(考虑查询其他字段)
如果其他字段所有结果值都想保留,建议直接⽤group by 和group_concat即可
select c_name,c_year,c_month,group_concat(',') c_values from table
group by c_name,c_year,c_month
4、根据某些字段的去重查询,查询重复项以外的全部数据
⼀般去重是根据时间、ID等,如时间最新/ID最⼤/value最⼤等等;
此处⽰例重复数据中ID⼩的是原始项,ID⼤的是重复项;
如果要看新的数据,则将以下的 min 改为 max ,也可根据⾃⾝情况调整其他字段。
select * from tableA
where c_id in
(select min(c_id) minid from tableA
group by c_name,c_year,c_month
)
或者:
select * from tableA
where c_id not in
(select min(c_id) minid from tableA
group by c_name,c_year,c_month
distinct查询having count(*)>1
)
5、根据某些字段的去重查询,查询重复项(不包含原始项,只查询重复项)
select * from tableA
where c_id not in
(select min(c_id) minid from tableA
group by c_name,c_year,c_month
)
6、根据某些字段,查询出所有重复的数据(包含原始项和重复项)
select * from tableA a
right join
(select c_name,c_year,c_month from table A
group by c_name,c_year,c_month
having count(*)>1) b
on a.c_name=b.c_name
and a.c_year=b.c_year
and a.c_month=b.c_month
7、根据某些字段,删除重复的数据(⽰例ID最⼩的是要保留的数据,其他都是不要的)从思路上来讲,应该(实际上会出错):
delete from tableA
where c_id not in
(select min(c_id) minid from tableA
group by c_name,c_year,c_month
)
但是此时会报错: You can't specify target table for update in FROM clause
原因是:在同⼀张表,不能先查询某些值,再进⾏update操作
解决⽅法是:需要先把查询处理的id结果,as ⼀张表,再做delete操作,调整如下:
delete from tableA
where c_id in (
select * from
(select c_id from tableA
where c_id not in
(select min(c_id) from tableA
group by c_name,c_year,c_month
)) a
)
或者:
delete from tableA
where c_id in(
select * from (
select c_id from tableA
where c_id in
(select max(c_id) from tableA
group by c_name,c_year,c_month
having count(*)>1
)) a
)
以上就是⼏种去重的查询⽅法,可根据⾃⾝业务场景做调整。

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。