本文主要是介绍美的选择oracle,选用适合的ORACLE优化器,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
使用成本和试探法相结合的方法,查找一种可以最快返回前面少数行的方法;这个参数主要用于向后兼容。
2、访问Table的方式
1) 全表扫描
2) 通过ROWID访问表
3、共享SQL语句
共享的语句必须满足三个条件:
1) 字符级的比较,当前被执行的语句和共享池中的语句必须完全相同。 (区分大小写)
2) 两个语句所指的对象必须完全相同。
3)绑定变量名必须相同,如下列不可以
4、选择最有效率的表名顺序(只在基于规则的优化器中有效)
表链接时,表记录少的在后面,表.列=表.列 条件在后面
5、WHERE子句中的连接顺序
ORACLE采用自下而上的顺序解析WHERE子句,根据这个原理,表之间的连接必须写在其他WHERE条件之前,那些可以过滤掉最大数量记录的条件必须写在WHERE子句的末尾。
6、SELECT子句中避免使用 ‘ * ’
7、减少访问数据库的次数
当执行每条SQL语句时,ORACLE在内部执行了许多工作:解析SQL语句,估算索引的利用率,绑定变量,读数据块等等。由此可见,减少访问数据库的次数,就能实际上减少ORACLE的工作量。
例如:
以下有三种方法可以检索出雇员号等于0342或0291的职员。
方法1:(最低效)
select emp_name, salary, grade from emp where emp_no = 342;
select emp_name, salary, grade from emp where emp_no = 291;
方法2:(次低效)
declare
cursor c1(e_no number) is
select emp_name, salary, grade from emp where emp_no = e_no;
begin
open c1(342);
fetch c1
into .., .., ..;
open c1(291);
fetch c1
into .., .., ..;
close c1;
end;
方法3:(高效)
select a.emp_name, a.salary, a.grade, b.emp_name, b.salary, b.grade
from emp a, emp b
where a.emp_no = 342
and b.emp_no = 291;
注意:
在SQL*Plus,SQL*Forms和Pro*C中重新设置ARRAYSIZE参数,可以增加每次数据库访问的检索数据量,建议值为200。
8、使用DECODE函数来减少处理时间
使用DECODE函数可以避免重复扫描相同记录或重复连接相同的表。
例如:
select count(*), sum(sal)
from emp
where dept_no = 0020
and ename like 'SMITH%';
select count(*), sum(sal)
from , emp
where dept_no = 0030
and ename like 'SMITH%';
你可以用DECODE函数高效地得到相同结果:
select count(decode(dept_no, 0020, 'X', null)) d0020_count,
count(decode(dept_no, 0030, 'X', null)) d0030_count,
sum(decode(dept_no, 0020, sal, null)) d0020_sal,
sum(decode(dept_no, 0030, sal, null)) d0030_sal
from emp
where ename like 'SMITH%';
类似的,DECODE函数也可以运用于GROUP BY 和ORDER BY子句中。
9、删除重复记录
最高效的删除重复记录方法:
delete from emp e
where e.rowid > (select min(x.rowid) from emp x where x.emp_no = e.emp_no);
10、用Where子句替换HAVING子句
11、减少对表的查询
在含有子查询的SQL语句中,要特别注意减少对表的查询。
例如:
低效:
select tab_name
from tables
where tab_name = (select tab_name from tab_columns where version = 604)
and db_ver = (select db_ver from tab_columns where version = 604);
高效:
select tab_name
from tables
where (tab_name, db_ver) = (select tab_name, db_ver) from tab_columns
where version = 604);
低效:
update emp
set emp_cat = (select max(category) from emp_categories),
sal_range = (select max(sal_range) from emp_categories)
where emp_dept = 0020;
高效:
update emp
set (emp_cat, sal_range) = (select max(category), max(sal_range)
from emp_categories)
where emp_dept = 0020;
12、使用表的别名(Alias)
13、用EXISTS替代IN , EXISTS(或NOT EXISTS)
低效:
select *
from emp –-基础表
where empno > 0
and deptno in (select deptno from dept where loc = 'MELB');
高效:
select *
from emp –-基础表
where empno > 0
and exists (select 'X'
from dept
where dept.deptno = emp.deptno
and loc = 'MELB');
14、用EXISTS替换DISTINCT
---------- --------22、识别‘低效执行’的SQL语句
这篇关于美的选择oracle,选用适合的ORACLE优化器的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!