這幾天在寫索引,想到一些有意思的TIPS,希望大家有收獲。
一、一些常見的SQL實(shí)踐
(1)負(fù)向條件查詢不能使用索引
select * from order where status!=0 and stauts!=1
not in/not exists都不是好習(xí)慣
可以優(yōu)化為in查詢:
select * from order where status in(2,3)
(2)前導(dǎo)模糊查詢不能使用索引
select * from order where desc like '%XX'
而非前導(dǎo)模糊查詢則可以:
select * from order where desc like 'XX%'
(3)數(shù)據(jù)區(qū)分度不大的字段不宜使用索引
select * from user where sex=1
原因:性別只有男,女,每次過濾掉的數(shù)據(jù)很少,不宜使用索引。
經(jīng)驗(yàn)上,能過濾80%數(shù)據(jù)時(shí)就可以使用索引。對于訂單狀態(tài),如果狀態(tài)值很少,不宜使用索引,如果狀態(tài)值很多,能夠過濾大量數(shù)據(jù),則應(yīng)該建立索引。
(4)在屬性上進(jìn)行計(jì)算不能命中索引
select * from order where YEAR(date) < = '2017'
即使date上建立了索引,也會(huì)全表掃描,可優(yōu)化為值計(jì)算:
select * from order where date < = CURDATE()
或者:
select * from order where date < = '2017-01-01'
二、并非周知的SQL實(shí)踐
(5)如果業(yè)務(wù)大部分是單條查詢,使用Hash索引性能更好,例如用戶中心
select * from user where uid=?
select * from user where login_name=?
原因:
B-Tree索引的時(shí)間復(fù)雜度是O(log(n))
Hash索引的時(shí)間復(fù)雜度是O(1)
(6)允許為null的列,查詢有潛在大坑
單列索引不存null值,復(fù)合索引不存全為null的值,如果列允許為null,可能會(huì)得到“不符合預(yù)期”的結(jié)果集
select * from user where name != 'shenjian'
如果name允許為null,索引不存儲(chǔ)null值,結(jié)果集中不會(huì)包含這些記錄。
所以,請使用not null約束以及默認(rèn)值。
(7)復(fù)合索引左前綴,并不是值SQL語句的where順序要和復(fù)合索引一致
用戶中心建立了(login_name, passwd)的復(fù)合索引
select * from user where login_name=? and passwd=?
select * from user where passwd=? and login_name=?
都能夠命中索引
select * from user where login_name=?
也能命中索引,滿足復(fù)合索引左前綴
select * from user where passwd=?
不能命中索引,不滿足復(fù)合索引左前綴
(8)使用ENUM而不是字符串
ENUM保存的是TINYINT,別在枚舉中搞一些“中國”“北京”“技術(shù)部”這樣的字符串,字符串空間又大,效率又低。
三、小眾但有用的SQL實(shí)踐
(9)如果明確知道只有一條結(jié)果返回,limit 1能夠提率
select * from user where login_name=?
可以優(yōu)化為:
select * from user where login_name=? limit 1
原因:
你知道只有一條結(jié)果,但數(shù)據(jù)庫并不知道,明確告訴它,讓它主動(dòng)停止游標(biāo)移動(dòng)
(10)把計(jì)算放到業(yè)務(wù)層而不是數(shù)據(jù)庫層,除了節(jié)省數(shù)據(jù)的CPU,還有意想不到的查詢緩存優(yōu)化效果
select * from order where date < = CURDATE()
這不是一個(gè)好的SQL實(shí)踐,應(yīng)該優(yōu)化為:
$curDate = date('Y-m-d');
$res = mysql_query(
'select * from order where date < = $curDate');
原因:
釋放了數(shù)據(jù)庫的CPU
多次調(diào)用,傳入的SQL相同,才可以利用查詢緩存
(11)強(qiáng)制類型轉(zhuǎn)換會(huì)全表掃描
select * from user where phone=
你以為會(huì)命中phone索引么?大錯(cuò)特錯(cuò)了,這個(gè)語句究竟要怎么改?
末了,再加一條,不要使用select *(潛臺詞,文章的SQL都不合格 =_=),只返回需要的列,能夠大大的節(jié)省數(shù)據(jù)傳輸量,與數(shù)據(jù)庫的內(nèi)存使用量喲。