新来的同事问我 where 1=1 是什么意思
开发者全社区
共 1725字,需浏览 4分钟
·
2022-03-11 04:52
相关阅读:2T架构师学习资料干货分享
作者:苏世_
来源:juejin.cn/post/7030076565673213989
写在前面
where 1=1
<select id="queryBookInfo" parameterType="com.ths.platform.entity.BookInfo" resultType="java.lang.Integer">
select count(id) from t_book t where 1=1
<if test="title !=null and title !='' ">
AND title =
</if>
<if test="author !=null and author !='' ">
AND author =
</if>
</select>
网上有很多人说,这样会引发性能问题,可能会让索引失效,那么我们今天来实测一下,会不会不走索引
实测
title字段已经加上索引,我们通过EXPLAIN看下
EXPLAIN SELECT * FROM t_book WHERE title = '且在人间';
EXPLAIN SELECT * FROM t_book WHERE 1=1 AND title = '且在人间';
where 1=1 也会走索引,不影响查询效率,我们写的sql指令会被mysql 进行解析优化成自己的处理指令,在这个过程中1 = 1这类无意义的条件将会被优化。
使用explain EXTENDED sql 进行校对,发现确实where1=1这类条件会被mysql的优化器所优化掉。
<select id="queryBookInfo" parameterType="com.ths.platform.entity.BookInfo" resultType="java.lang.Integer">
select count(*) from t_book t
<where>
<if test="title !=null and title !='' ">
title =
</if>
<if test="author !=null and author !='' ">
AND author =
</if>
</where>
</select>
评论