sql語句優化技巧

2021-10-23 04:51:44 字數 2365 閱讀 3938

要提高sql語句的執行效率,最常見的方法就是建立索引,以及盡量避免全表掃瞄。在本章mysql教程中,uncletoo給大家整理一些常見的sql優化技巧,避免全表掃瞄。乙個簡單的優化,也許能讓你的sql執行效率提高幾倍,甚至幾十倍。

1.避免在where子句中使用 is null 或 is not null 對欄位進行判斷如:

select id from table where name is null

在這個查詢中,就算我們為 name 字段設定了索引,查詢分析器也不會使用,因此查詢效率底下。為了避免這樣的查詢,在資料庫設計的時候,盡量將可能會出現 null 值的字段設定預設值,這裡如果我們將 name 欄位的預設值設定為0,那麼我們就可以這樣查詢:

select id from table where name = 0

2.避免在 where 子句中使用 != 或 <> 操作符如:

select name from table where id <> 0

資料庫在查詢時,對 != 或 <> 操作符不會使用索引,而對於 < 、 <= 、 = 、 > 、 >= 、 between and,資料庫才會使用索引。因此對於上面的查詢,正確寫法應該是:

select name from table where id < 0

union all

select name from table where id > 0

這裡我們為什麼沒有使用 or 來鏈結 where 後的兩個條件呢?這就是我們下面要說的第3個優化技巧。

3.避免在 where 子句中使用 or來鏈結條件如:

select id from tabel where name = 『kevin』 or name = 『php』

這種情況,我們可以這樣寫:

select id from tabel where name = 『kevin』

union all

select id from tabel where name = 『php』

4.少用 in 或 not in

雖然對於 in 的條件會使用索引,不會全表掃瞄,但是在某些特定的情況,使用其他方法也許效果更好。如:

select name from tabel where id in(1,2,3,4,5)

像這種連續的數值,我們可以使用 between and,如:

select name from tabel where id between 1 and 5

5.注意 like 中萬用字元的使用

下面的語句會導致全表掃瞄,盡量少用。如:

select id from tabel where name like 』%kevin%』

或者select id from tabel where name like 』%kevin』

而下面的語句執行效率要快的多,因為它使用了索引:

select id from tabel where name like 』kevin%』

6.避免在 where 子句中對字段進行表示式操作如:

select name from table where id/2 = 100

正確的寫法應該是:

select name from table where id = 100*2

7.避免在 where 子句中對字段進行函式操作如:

select id from table where substring(name,1,8) = 『kevin』

或select id from table where datediff(day,datefield,『2014-07-17』) >= 0

這兩條語句中都對字段進行了函式處理,這樣就是的查詢分析器放棄了索引的使用。正確的寫法是這樣的:

select id from table where name like 』kevin%』

或select id from table where datefield <= 『2014-07-17』

也就是說,不要在 where 子句中的 = 左邊進行函式、算術運算或其他表示式運算。

8.在子查詢中,用 exists 代替 in 是乙個好的選擇如:

select name from a where id in(select id from b)

如果我們將這條語句換成下面的寫法:

select name from a where exists(select 1 from b where id = a.id)

這樣,查詢出來的結果一樣,但是下面這條語句查詢的速度要快的多。

SQL語句優化技巧

1 應盡量避免在 where 子句中使用 或 操作符,否則將引擎放棄使用索引而進行全表掃瞄。2 對查詢進行優化,應盡量避免全表掃瞄,首先應考慮在 where 及 order by 涉及的列上建立索引。3 應盡量避免在 where 子句中對字段進行 null 值判斷,否則將導致引擎放棄使用索引而進行全...

常用SQL語句優化技巧

除了建立索引之外,保持良好的sql語句編寫習慣將會降低sql效能問題發生。通過變數的方式來設定引數 好 stringsql select from people p where p.id 壞 stringsql select from people p where p.id id 資料庫的sql文解...

8個SQL語句常用優化技巧

要提高sql語句的執行效率,最常見的方法就是建立索引,以及盡量避免全表掃瞄。在本章mysql教程中,uncletoo給大家整理一些常見的sql優化技巧,避免全表掃瞄。乙個簡單的優化,也許能讓你的sql執行效率提高幾倍,甚至幾十倍。1 避免在where子句中使用 is null 或 is not nu...