天天看點

為什麼要盡量避免使用 IN 和 NOT IN 呢?

1

為什麼?

IN 和 NOT IN 是比較常用的關鍵字,為什麼要盡量避免呢?

1、效率低

項目中遇到這麼個情況:

t1表 和 t2表  都是150w條資料,600M的樣子,都不算大。

但是這樣一句查詢 ↓

select * from t1 where phone not in (select phone from t2)      

直接就把我跑傻了。。。十幾分鐘,檢查了一下  phone在兩個表都建了索引,字段類型也是一樣的。原來not in 是不能命中索引的。。。。

改成 NOT EXISTS 之後查詢 20s ,效率真的差好多。

select * from t1
where  not  EXISTS (select phone from t2 where t1.phone =t2.phone)      

2、容易出現問題,或查詢結果有誤 (不能更嚴重的缺點)

以 IN 為例。建兩個表:test1 和 test2

create table test1 (id1 int)
create table test2 (id2 int)

insert into test1 (id1) values (1),(2),(3)
insert into test2 (id2) values (1),(2)      

我想要查詢,在test2中存在的  test1中的id 。使用IN的一般寫法是:

select id1 from test1
where id1 in (select id2 from test2)      

結果是:

為什麼要盡量避免使用 IN 和 NOT IN 呢?

OK 木有問題!

但是如果我一時手滑,寫成了:

select id1 from test1
where id1 in (select id1 from test2)      

不小心把id2寫成id1了 ,會怎麼樣呢?

結果是:

為什麼要盡量避免使用 IN 和 NOT IN 呢?

EXCUSE ME!為什麼不報錯?

單獨查詢 select id1 from test2 是一定會報錯: 消息 207,級别 16,狀态 1,第 11 行 列名 'id1' 無效。

然而使用了IN的子查詢就是這麼敷衍,直接查出 1 2 3

這僅僅是容易出錯的情況,自己不寫錯還沒啥事兒,下面來看一下 NOT IN 直接查出錯誤結果的情況:

給test2插入一個空值:

insert into test2 (id2) values (NULL)      

我想要查詢,在test2中不存在的  test1中的id 。

select id1 from test1
where id1 not in (select id2 from test2)      

結果是:

為什麼要盡量避免使用 IN 和 NOT IN 呢?

空白!顯然這個結果不是我們想要的。我們想要3。為什麼會這樣呢?

原因是:NULL不等于任何非空的值啊!如果id2隻有1和2, 那麼3<>1 且 3<>2 是以3輸出了,但是 id2包含空值,那麼 3也不等于NULL 是以它不會輸出。

跑題一句:建表的時候最好不要允許含空值,否則問題多多。

2

HOW?

1、用 EXISTS 或 NOT EXISTS 代替

select * from test1 
   where EXISTS (select * from test2 where id2 = id1 )

select * FROM test1 
 where NOT EXISTS (select * from test2 where id2 = id1 )      

2、用JOIN 代替

select id1 from test1 
   INNER JOIN test2 ON id2 = id1 
   
 select id1 from test1 
   LEFT JOIN test2 ON id2 = id1 
   where id2 IS NULL      

妥妥的沒有問題了!