sql优化 - 基于oracle

select语句优化

select查询的生命周期

  1. 在共享池中搜索sql语句是否存在 — 缓存
  2. 验证sql语句是否正确
  3. 执行数据字典来验证表和列的定义
  4. 获取对象的分析锁,以便在语句的分析过程中对象的定义不会改变
  5. 检查用户是否具有相同的操作权限
  6. 确定sql语句的最佳执行计划
  7. 将语句和执行方案保存到共享的sql区中
  1. select语句中尽量避免使用 * 这样影响了sql语句的执行效率。

原因: 这里是因为sql在执行的周期中要把 * 根据数据字典转化成相应的列信息。但是也仅限于第一次,因为有sql共享池。

  1. 使用where字句代替having字句

-- 使用having

select deptno , avg(sal) , from scott.emp
group by deptno having deptno > 10 ;


-- 使用where

select deptno , avg(sal) , from scott.emp
where deptno > 10 group by deptno ;

-- 原因:先使用了where后减少了分组的行数,就是提前减少了数据量。

  1. 使用trunacte 代替delete(全表删除的时候)

  2. 在确保完整性的情况下多用commit语句(就是提前释放一些维护事务的资源)

  3. 使用表连接而不是多个查询


-- 子查询方式

select empno , ename , deptno from  emp
where deptno = (select deptno from emp where dname='谁谁')


-- 表连接的方式
select e.empno , e.ename , d.deptno 
from emp e inner join emo d on e.deptno = d.deptno
where d.dname = '谁谁' ;


-- 原因 ; 这样的优化是减少查询的次数。
-- 连接查询的局部优化将最多的记录放到前面连接少的数据。

  1. 使用exists代替in

-- 关键字的不同点  exists只检查行存在性 , in检查实际的值
-- not exists  代替  not in 

-- in demo
select * from emp
where deptno in(select deptno from dept where loc = 'xxxx');

-- exists demo
select * from emp
where exists(select 1 from dept where dept.deptno = emp.deptno and loc='xxxx');

-- 注意这样就成了检查列是否存在了。

  1. 使用exists代替distinct(去重的那个)

-- distinct

select distinct e.deptno , d.dname
from emp e , dept d
where e.deptno = d.deptno ;

-- exists

select e.deptno , d.dname from deot d 
where exists(select 1 from emp e where e.deptno=deptno);

  1. 使用 <= 代替 <

思路:就是 sql语句的值的定位的问题, 


<=  x  会直接定位到  x

< x   会直接定位到 x , 在查询比他小的数


-- 数据量大的时候使用  = 就是查了一条

  1. 起别名后,列要完全限定,减少数据字典搜索的次数。

表连接的优化

  1. oracle是用最后的一张表作为驱动表,所以把数据量小的放到后面比较合适。

  2. where字句的连接顺序


-- 慢

select * from emp e 
where sal > 1000
and job = 'xxxx'
and 10 < (select count(*) from emp where mgr = empno);

-- 快
select * from emp e
where 10 < (select count(*) from emp where mgr = empno)
and sal > 1000 and job = 'xxxx' ;

思想: 优先的条件过滤掉多个行,最大可能性的减少表的范围。

    原文作者:Catzzz
    原文地址: https://www.jianshu.com/p/8377675cf3f5
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞