比如 a,b 關聯列為 a.id = b.id,現在要取 a 中的資料,其中id在b中也存在:select * from a where exists(select 1 from b where a.id = b.id)
或者:現在要取 a 中的資料,其中id在b中 不存在:
select * from a where not exists(select 1 from b where a.id = b.id)
select * from awhere id in(select id from b)
以上查詢使用了in語句,in()只執行一次,它查出b表中的所有id欄位並快取起來.之後,檢查a表的id是否與b表中的id相等,如果相等則將a表的記錄加入結果集中,直到遍歷完a表的所有記錄.
它的查詢過程類似於以下過程
list resultset=;
array a=(select * from a);
array b=(select id from b);
for(int i=0;i
for(int j=0;j
if(a[i].id==b[j].id) }}
return resultset;
可以看出,當b表資料較大時不適合使用in(),因為它會b表資料全部遍歷一次.
如:a表有10000條記錄,b表有1000000條記錄,那麼最多有可能遍歷10000*1000000次,效率很差.
再如:a表有10000條記錄,b表有100條記錄,那麼最多有可能遍歷10000*100次,遍歷次數大大減少,效率大大提公升.
結論:in()適合b錶比a表資料小的情況
select a.* from a a
where exists(select 1 from b b where a.id=b.id)
以上查詢使用了exists語句,exists()會執行a.length次,它並不快取exists()結果集,因為exists()結果集的內容並不重要,重要的是結果集中是否有記錄,如果有則返回true,沒有則返回false.
它的查詢過程類似於以下過程
list resultset=;
array a=(select * from a)
for(int i=0;i
if(exists(a[i].id)
}return resultset;
當b錶比a表資料大時適合使用exists(),因為它沒有那麼遍歷操作,只需要再執行一次查詢就行.
如:a表有10000條記錄,b表有1000000條記錄,那麼exists()會執行10000次去判斷a表中的id是否與b表中的id相等.
如:a表有10000條記錄,b表有100000000條記錄,那麼exists()還是執行10000次,因為它只執行a.length次,可見b表資料越多,越適合exists()發揮效果.
再如:a表有10000條記錄,b表有100條記錄,那麼exists()還是執行10000次,還不如使用in()遍歷10000*100次,因為in()是在記憶體裡遍歷比較,而exists()需要查詢資料庫,我們都知道查詢資料庫所消耗的效能更高,而記憶體比較很快.
結論:exists()適合b錶比a表資料大的情況
當a表資料與b表資料一樣大時,in與exists效率差不多,可任選乙個使用.
Oracle exists和in區別比較
有兩個簡單例子,以說明 exists 和 in 的效率問題 1 select from t1 where exists select 1 from t2 where t1.a t2.a t1資料量小而t2資料量非常大時,t1 2 select from t1 where t1.a in select...
oracle exists 和 in 效率問題
有兩個簡單例子,以說明 exists 和 in 的效率問題 1 select from t1 where exists select 1 from t2 where t1.a t2.a t1資料量小而t2資料量非常大時,t1 2 select from t1 where t1.a in select...
Oracle exists用法,查詢相同或相似資料
sql中經常遇到如下情況,在一張表中有兩條記錄基本完全一樣,某個或某幾個欄位有些許差別,這時候可能需要我們踢出這些有差別的資料,即兩條或多條記錄中只保留一項。如下 表timeand 針對time欄位相同時有不同total和name的情形,每當遇到相同的則只取其中一條資料,最簡單的實現方法有兩種 1 ...