1. 程式人生 > >oracle--exists與in的效率探討 ( 轉存)

oracle--exists與in的效率探討 ( 轉存)

oracle--exists與in的效率探討 ( 轉存)

2017年02月05日 22:50:48 Tate-Ling 閱讀數:1354 標籤: ORACLEEXISTSIN更多

個人分類: Oracle

轉載自:http://blog.itpub.net/223555/viewspace-717946/

 

Oracle中exists與in的效率探討

 
  1. select × from 資料表 t where t.x in (...)

  2. 括號內可以是符合t.x欄位型別的值集合,如('1','2','3'),但如果t.x是number型別的時候,似乎這樣的寫法會出問題;也可以是通過 另外的select語句查詢出來的值集合,如(select y from 資料表2 where ...)。

 
  1. select * from 資料表 t where [...] and exist (...)

  2. 方括號內為其它的查詢條件,可以沒有。exist後面的括號內可以是任意的條件,這個條件可以與外面的查詢沒有任何關係,也可以與外面的條件結合。如: (select * from 資料表2 where 1=1) 或 (select * from 資料表2 where y=t.x)

例子:

 

 
  1. in的SQL語句

  2. SELECT id, category_id, htmlfile, title, convert(varchar(20),begintime,112) as pubtime

  3. FROM tab_oa_pub WHERE is_check=1 and

  4. category_id in (select id from tab_oa_pub_cate where no='1')

  5. order by begintime desc

 
  1. exists的SQL語句

  2. SELECT id, category_id, htmlfile, title, convert(varchar(20),begintime,112) as pubtime

  3. FROM tab_oa_pub WHERE is_check=1 and

  4. exists (select id from tab_oa_pub_cate where tab_oa_pub.category_id=convert(int,no) and no='1')

  5. order by begintime desc

效率比較:

 
  1. select * from t1 where x in ( select y from t2 )

  2. -- 事實上可以理解為:

  3. select * from t1, ( select distinct y from t2 ) t2 where t1.x = t2.y

         如果你有一定的SQL優化經驗,從這句很自然的可以想到t2絕對不能是個大表,因為需要對t2進行全表的“唯一排序”,如果t2很大這個排序的效能是不可 忍受的。但是t1可以很大,為什麼呢?最通俗的理解就是因為t1.x=t2.y可以走索引。但這並不是一個很好的解釋。試想,如果t1.x和t2.y都有 索引,我們知道索引是種有序的結構,因此t1和t2之間最佳的方案是走merge join。另外,如果t2.y上有索引,對t2的排序效能也有很大提高。

 
  1. select * from t1 where exists ( select null from t2 where y = x )

  2. -- 可以理解為:

  3. for x in ( select * from t1 )

  4. loop

  5. if ( exists ( select null from t2 where y = x.x )

  6. then

  7. OUTPUT THE RECORD!

  8. end if

  9. end loop

        這個更容易理解,t1永遠是個表掃描!因此t1絕對不能是個大表,而t2可以很大,因為y=x.x可以走t2.y的索引。
        綜合以上對IN/EXISTS的討論,我們可以得出一個基本通用的結論:IN適合於外表大而內表小的情況;EXISTS適合於外表小而內表大的情況。