1、查询 SQL 尽量不要使用 select *,而是 select 具体字段
反例子:
select * from sys_user;
正例子:
select id,name from sys_user;
理由如下:
2、如果知道查询结果只有一条或者只要最大/最小一条记录,建议用 limit 1
假设现在有 sys_user 员工表,要找出一个名字叫 jay 的人:
CREATE TABLE `sys_user` (
`id` int(11) NOT NULL,
`name` varchar(255) DEFAULT NULL,
`age` int(11) DEFAULT NULL,
`date` datetime DEFAULT NULL,
`sex` int(1) DEFAULT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
反例:
select id,name from sys_user where name='jay'
正例:
select id,name from sys_user where name='jay' limit 1;
理由如下:
3、应尽量避免在 where 子句中使用 or 来连接条件
新建一个 user 表,它有一个普通索引 userId,表结构如下:
CREATE TABLE `user` (
`id` int(11) NOT NULL AUTO_INCREMENT,
`userId` int(11) NOT NULL,
`age` int(11) NOT NULL,
`name` varchar(255) NOT NULL,
PRIMARY KEY (`id`),
KEY `idx_userId` (`userId`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
假设现在需要查询 userid 为 1 或者年龄为 18 岁的用户,很容易有以下 SQL。
反例:
select * from user where userid=1 or age =18
正例:
//使用union all
select * from user where userid=1
union all
select * from user where age = 18
//或者分开两条sql写:
select * from user where userid=1
select * from user where age = 18
理由:使用 or 可能会使索引失效,从而全表扫描。
对于 or+没有索引的 age 这种情况,假设它走了 userId 的索引,但是走到 age 查询条件时,它还得全表扫描,也就是需要三步过程:全表扫描+索引扫描+合并,如果它一开始就走全表扫描,直接一遍扫描就完事。
MySQL 是有优化器的,处于效率与成本考虑,遇到 or 条件,索引可能失效,看起来也合情合理。
4、优化 limit 分页
我们日常做分页需求时,一般会用 limit 实现,但是当偏移量特别大的时候,查询效率就变得低下。
反例:
select id,name,age from sys_user limit 10000,10
正例:
//方案一 :返回上次查询的最大记录(偏移量)
select id,name from sys_user where