(oracle)子查询和关联查询效率问题
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了(oracle)子查询和关联查询效率问题相关的知识,希望对你有一定的参考价值。
(oracle)单行子查询和关联查询效率问题
关联查询
select t1.a,m1.b b,m2.b c,m3.b d
from t1,t2 m1,t2 m2 t2 m3
where t1.b=m1.a(+)
and t1.c=m2.a(+)
and t1.d=m3.a(+); (t2.a是主键)
子查询
select t1.a,
(select t2.b from t2 where t1.b=t2.a(+)) b,
(select t2.b from t2 where t1.c=t2.a(+)) c,
(select t2.b from t2 where t1.d=t2.a(+)) d,
from t1(t2.a是主键)
项目有个数据字典表,因为很多数据都要从数据字典表中翻译,所以遇到上述情况很平常。
这两种查询到底哪个效率高呢
一般关联查询的效率要高于子查询的效率,但是执行SQL发现好像子查询效率要高一点,为什么呢?
你第一个语句慢的原因,可能是执行计划出乎你的预料。
有时候,用临时表存储临时数据,把一个超级复杂的SQL拆分成几个,效率要高很多倍。 参考技术A 全表扫描,以确定每个记录SAL大于平均工资后查询追问
什么乱七八糟的回答!晕
oracle嵌套关联子查询问题
【中文标题】oracle嵌套关联子查询问题【英文标题】:Oracle nested correlated subquery problem 【发布时间】:2011-03-15 15:51:25 【问题描述】:考虑具有一对多关系的表 1 和表 2(表 1 是主表,表 2 是从表)。我想从 table1 中获取记录,其中某个值 ('XXX') 是 table2 中与 table1 相关的详细记录的最新记录的值。我想做的是这样的:
select t1.pk_id
from table1 t1
where 'XXX' = (select a_col
from ( select a_col
from table2 t2
where t2.fk_id = t1.pk_id
order by t2.date_col desc)
where rownum = 1)
但是,由于关联子查询中对 table1 (t1) 的引用是两级深度,因此会弹出 Oracle 错误(invalid id t1)。我需要能够重写它,但需要注意的是只有 where 子句可以更改(即初始 select 和 from 必须保持不变)。能做到吗?
【问题讨论】:
【参考方案1】:这是一种不同的分析方法:
select t1.pk_id
from table1 t1
where 'XXX' = (select distinct first_value(t2.a_col)
over (order by t2.date_col desc)
from table2 t2
where t2.fk_id = t1.pk_id)
这是使用排名函数的相同想法:
select t1.pk_id
from table1 t1
where 'XXX' = (select max(t2.a_col) keep
(dense_rank first order by t2.date_col desc)
from table2 t2
where t2.fk_id = t1.pk_id)
【讨论】:
我要试试这些。我稍后再回来看看。谢谢。 感谢 Dave,每个示例都很好用。我在想这可以用分析函数来完成,但不太确定如何写。 如果我想要带有 order by 子句的第二个、第三个和下一个结果怎么办?使用这种方法可以吗? 找到了如何使用 NTH_VALUE() 而不是 FIRST_VALUE() 或 LAST_VALUE()。它就像一个魅力。【参考方案2】:您可以在此处使用分析:将 table1 连接到 table2,获取 table1 中每个元素的最新 table2 记录,并验证该最新元素的值是否为“XXX”:
SELECT *
FROM (SELECT t1.*,
t2.a_col,
row_number() over (PARTITION BY t1.pk
ORDER BY t2.date_col DESC) rnk
FROM table1 t1
JOIN table2 t2 ON t2.fk_id = t1.pk_id)
WHERE rnk = 1
AND a_col = 'XXX'
更新:在不修改*** SELECT 的情况下,您可以编写如下查询:
SELECT t1.pk_id
FROM table1 t1
WHERE 'XXX' =
(SELECT a_col
FROM (SELECT a_col,
t2_in.fk_id,
row_number() over(PARTITION BY t2_in.fk_id
ORDER BY t2_in.date_col DESC) rnk
FROM table2 t2_in) t2
WHERE rnk = 1
AND t2.fk_id = t1.pk_id)
基本上,您只连接(半连接)table2 中每个 fk_id
的最新行
【讨论】:
我不想更改*** select 或 from 子句。 @GriffeyDog:这看起来很随意:p 这是因为我们的应用程序是如何构建查询的。 select 和 from 或多或少是恒定的,然后 where 包括我们应用于数据的各种过滤器。【参考方案3】:试试这个:
select t1.pk_id
from table1 t1
where 'XXX' =
(select a_col
from table2 t2
where t2.fk_id = t1.pk_id
and t2.date_col =
(select max(t3.date_col)
from table2 t3
where t3.fk_id = t2.fk_id)
)
【讨论】:
【参考方案4】:这是否符合您的要求?
select t1.pk_id
from table1 t1
where 'XXX' = ( select a_col
from table2 t2
where t2.fk_id = t1.pk_id
t2.date_col = (select max(date_col) from table2 where fk_id = t1.pk_id)
)
【讨论】:
以上是关于(oracle)子查询和关联查询效率问题的主要内容,如果未能解决你的问题,请参考以下文章
oracle sql 转换成 hive sql -子查询转关联查询(十七),子查询中有2个表外字段关联写法,round函数与power函数的运用