mysql 查询重复的数据的SQL优化方案
程序员文章站
2024-03-01 18:19:22
在mysql中查询不区分大小写重复的数据,往往会用到子查询,并在子查询中使用upper函数来将条件转化为大写。如:
复制代码 代码如下:
select * from s...
在mysql中查询不区分大小写重复的数据,往往会用到子查询,并在子查询中使用upper函数来将条件转化为大写。如:
复制代码 代码如下:
select * from staticcatalogue where upper(source) in (select upper(source) from staticcatalogue group by upper(source) having count(upper(source))>1) order by upper(source) desc;
这条语句的执行效率是非常低的,特别是source字段没有加索引。尤其是最忌讳的在查询条件中使用了函数,这将极大的降低查询速度,如果查询十万条数据以内的10分钟内还能获取到数据,如果是查询几十万条的话,会直接把服务器跑死的,此时可以通过一个临时表,并且加索引,再查询。这样可以提高很多的速度
复制代码 代码如下:
create table staticcatalogue_tmp select upper(source) as source from staticcatalogue group by upper(source) having count(upper(source))>1;
alter table staticcatalogue_tmp add index tx_1 (source);
select s.* from staticcatalogue s where upper(s.source) in (select st.source from staticcatalogue_tmp st) order by upper(s.source) desc ;
以上就是本文sql优化方案的全部内容了,希望大家能够喜欢。