Decode360's Blog

业精于勤而荒于嬉 QQ:150355677 MSN:decode360@hotmail.com

  BlogJava :: 首页 :: 新随笔 :: 联系 ::  :: 管理 ::
  302 随笔 :: 26 文章 :: 82 评论 :: 0 Trackbacks
When the explanation doesn't sound quite right...
http://tkyte.blogspot.com/2007/04/when-explanation-doesn-sound-quite.html
 
I was asked recently:
 
Under what conditions, autotrace & explain plan can not give the correct execution plan of a sql?
 
The question came in email - not via asktom.  But I found it of enough general interest to write about it here.  As an aside, I rarely, if ever, answer questions emailed to me directly.  It just isn't a scalable solution.  This is my attempt to make this answer "scale"...
 
To start with the answer to this - we need to understand that autotrace is just a feature of SQL Plus that automates an explain plan for us - so, autotrace and explain plan are sort of synonymous in this regard.  I'll be using Oracle 10g Release 2 in these examples and will be using autotrace or sql_trace=true and TKPROF - you can get the same results in 9i and later using EXPLAIN PLAN and DBMS_XPLAN.DISPLAY to see the results.
 
 
Explain Plan is in the here and now...

This is the first problem with explain plan - it is in the "here and now".  It uses the current optimizer environment, the current set of statistics and so on.  That means the explain plan you see in a tkprof could differ from the REAL PLAN used 5 minutes ago (when performance was 'bad').  For example:
 
ops$tkyte%ORA10GR2> create table t 
  2  as
  3  select a.*, 1 id
  4    from all_objects a
  5   where rownum = 1;
Table created.
 
ops$tkyte%ORA10GR2> create index t_idx on t(id);
Index created.
 
ops$tkyte%ORA10GR2> alter session set sql_trace=true;
Session altered.
 
ops$tkyte%ORA10GR2> select id, object_name from t where id = 1;
        ID OBJECT_NAME
---------- ------------------------------
         1 ICOL$
 
ops$tkyte%ORA10GR2> insert into t select a.*, 1 from all_objects a;
50338 rows created.
 
ops$tkyte%ORA10GR2> select id, object_name from t where id = 1;
        ID OBJECT_NAME
---------- ------------------------------
         1 ICOL$
...
         1 WRH$_TABLESPACE_STAT
50339 rows selected.
 
ops$tkyte%ORA10GR2> alter session set sql_trace=false;
Session altered.
 
Now, running TKPROF:
 
$ tkprof /home/ora10gr2/admin/ora10gr2/udump/ora10gr2_ora_12173.trc ./tk.prf aggregate=no sys=no explain=/
 
We will discover (in 10g, where dynamic sampling will kick in!) this conundrum:
 
select id, object_name from t where id = 1
 
call     count       cpu    elapsed       disk      query    current        rows
------- ------  -------- ---------- ---------- ---------- ----------  ----------
Parse        1      0.00       0.00          0          0          0           0
Execute      1      0.00       0.00          0          0          0           0
Fetch     3357      0.33       0.28          0       7490          0       50339
------- ------  -------- ---------- ---------- ---------- ----------  ----------
total     3359      0.33       0.28          0       7490          0       50339
 
Rows     Row Source Operation
-------  ---------------------------------------------------
  50339  TABLE ACCESS BY INDEX ROWID T (cr=7490 pr=0 pw=0 time=402830 us)
  50339   INDEX RANGE SCAN T_IDX (cr=3478 pr=0 pw=0 time=151058 us)(object id 70390)
 
Rows      Execution Plan
-------  ---------------------------------------------------
      0  SELECT STATEMENT    MODE: ALL_ROWS
  50339   TABLE ACCESS (FULL) OF 'T' (TABLE)
 
Note how the "Row Source Operation" (what I like to call 'reality') differs from the "Execution Plan"  (I'll call that the 'guess').  What happened here was that the row source operation is captured in the trace file at the time of execution - it reflects what REALLY took place as that query executed.  We followed this sequence of operations:
 
  1. loaded a single row into the table T
  2. ran a query against T - that did a hard parse.  At the time of the hard parse, Oracle 10g dynamically sampled the table and found it to be very small - and id=1 to be rather selective.  Based on that - it said "let's range scan the index"
  3. loaded a lot more data into the table.  All with the same ID=1 value however. 
  4. ran the same query from step 2 - this was a soft parse and just reused the plan generated back when only one row existed in the table.  As you can see however - that lead to inefficient execution.  We read every row from that table via the index.
  5. Executing TKPROF with explain= shows an entirely different plan.  That is because explain plan always does a hard parse, it evaluated the query plan "in the here and now, as of this moment in time".  It dynamically sampled the table again - found it to be large and ID=1 to not be selective.  Explain plan shows us that if we hard parsed that query right now - it would full scan.  However, all executions of that query in "real life" will index range scan as long as that plan is cached in the shared pool...
 
An important note for this example - the placement of the ALTER SESSION SET SQL_TRACE=TRUE is important.  I needed to set it before running the query the first time.  As an exercise - move it to just be before the second execution of the query and you'll find (from the tkprof) that the query is hard parsed the second time - and the row source operation in the tkprof will be a full scan.  That is because the first time a query is executed with sql_trace=true (as opposed to the default of false), it will be hard parsed - as of right now. 
 
 
Explain plan is blind to the bind
 
Explain plan does not "bind peek".  This is pretty easy to observe:
 
ops$tkyte%ORA10GR2> create table t 
  2  as
  3  select a.*, 1 id
  4    from all_objects a
  5   where rownum <= 5000;
Table created.
 
ops$tkyte%ORA10GR2> update t
  2     set id = 99
  3   where rownum = 1;
1 row updated.
 
ops$tkyte%ORA10GR2> create index t_idx on t(id);
Index created.
 
ops$tkyte%ORA10GR2> exec dbms_stats.gather_table_stats( user, 'T', method_opt=> 'for all indexed columns size 254' );
PL/SQL procedure successfully completed.
 
So we have created some skewed data.  If we say "where id=1", we would expect a full scan (index would be inefficient).  If we say "where id = 99", we would expect an index range scan - as id=99 returns a single row.  Using two queries that differ only in bind names (which is sufficient to prevent cursor sharing - these are two DIFFERENT queries to Oracle!), we'll execute a query with a bind set to the value 99 and then another with a bind set to 1.  
ops$tkyte%ORA10GR2> variable x_is_99_first number
ops$tkyte%ORA10GR2> variable x_is_1_first number
ops$tkyte%ORA10GR2> exec :x_is_99_first := 99; :x_is_1_first := 1;
PL/SQL procedure successfully completed.
 
ops$tkyte%ORA10GR2> alter session set sql_trace=true;
Session altered.
 
ops$tkyte%ORA10GR2> select id, object_name from t where id = :x_is_99_first;
        ID OBJECT_NAME
---------- ------------------------------
        99 ICOL$
 
ops$tkyte%ORA10GR2> select id, object_name from t where id = :x_is_1_first;
        ID OBJECT_NAME
---------- ------------------------------
         1 I_USER1
....
         1 USER_SCHEDULER_PROGRAM_ARGS4999 rows selected.
 
 
Now we'll just flip flop the values and re-execute the queries.  Note that they will soft parse, just reuse the existing plans generated from above.
 
ops$tkyte%ORA10GR2> exec :x_is_99_first := 1; :x_is_1_first := 99;
PL/SQL procedure successfully completed.
 
ops$tkyte%ORA10GR2> select id, object_name from t where id = :x_is_99_first;
        ID OBJECT_NAME
---------- ------------------------------
         1 I_USER1
...
         1 USER_SCHEDULER_PROGRAM_ARGS
4999 rows selected.
 
ops$tkyte%ORA10GR2> select id, object_name from t where id = :x_is_1_first;
        ID OBJECT_NAME
---------- ------------------------------
        99 ICOL$
 
ops$tkyte%ORA10GR2> alter session set sql_trace=false;
Session altered.
 
Reviewing the TKPROF report first for the "x is 99 first" query we see:
 
select id, object_name from t where id = :x_is_99_first
 
call     count       cpu    elapsed       disk      query    current        rows
------- ------  -------- ---------- ---------- ---------- ----------  ----------
Parse        1      0.00       0.00          0          0          0           0
Execute      1      0.00       0.00          0          0          0           0
Fetch        2      0.00       0.00          0          3          0           1
------- ------  -------- ---------- ---------- ---------- ----------  ----------
total        4      0.00       0.00          0          3          0           1
 
Misses in library cache during parse: 1
Misses in library cache during execute: 1O
ptimizer mode: ALL_ROWS
Parsing user id: 120  (OPS$TKYTE)
 
Rows     Row Source Operation
-------  ---------------------------------------------------
      1  TABLE ACCESS BY INDEX ROWID T (cr=3 pr=0 pw=0 time=59 us)
      1   INDEX RANGE SCAN T_IDX (cr=2 pr=0 pw=0 time=32 us)(object id 70394)
 
Rows     Execution Plan
-------  ---------------------------------------------------
      0  SELECT STATEMENT   MODE: ALL_ROWS
      1   TABLE ACCESS   MODE: ANALYZED (FULL) OF 'T' (TABLE)
 
********************************************************************************
select id, object_name from t where id = :x_is_99_first
 
call     count       cpu    elapsed       disk      query    current        rows
------- ------  -------- ---------- ---------- ---------- ----------  ----------
Parse        1      0.00       0.00          0          0          0           0
Execute      1      0.00       0.00          0          0          0           0
Fetch      335      0.02       0.02          0        739          0        4999
------- ------  -------- ---------- ---------- ---------- ----------  ----------
total      337      0.02       0.02          0        739          0        4999
 
Misses in library cache during parse: 0
Optimizer mode: ALL_ROWS
Parsing user id: 120  (OPS$TKYTE)
 
Rows     Row Source Operation
-------  ---------------------------------------------------
   4999  TABLE ACCESS BY INDEX ROWID T (cr=739 pr=0 pw=0 time=50042 us)
   4999   INDEX RANGE SCAN T_IDX (cr=344 pr=0 pw=0 time=30018 us)(object id 70394)
 
Rows     Execution Plan
-------  ---------------------------------------------------
      0  SELECT STATEMENT   MODE: ALL_ROWS
   4999   TABLE ACCESS   MODE: ANALYZED (FULL) OF 'T' (TABLE)
 
So, the "real plan" used is an index range scan - both times.  But, explain plan - which cannot, does not bind peek - will say "full scan".  The reason?  explain plan is optimizing "select * from t where id = ?" - and it says "5,000 rows, 2 values of id, id is not selective, full scan".  But the optimizer is optimizing the query "select * from t where id = 99" - because it peeked at the bind the first time!  The soft parse won't peek (else it would be a hard parse!) and just reused the existing plan - the inefficient range scan to read every row out.
 
 
On the other hand, looking at the "x is 1 first" query:
 
select id, object_name from t where id = :x_is_1_first
 
call     count       cpu    elapsed       disk      query    current        rows
------- ------  -------- ---------- ---------- ---------- ----------  ----------
Parse        1      0.00       0.00          0          0          0           0
Execute      1      0.00       0.00          0          0          0           0
Fetch      335      0.01       0.01          0        398          0        4999
------- ------  -------- ---------- ---------- ---------- ----------  ----------
total      337      0.01       0.01          0        398          0        4999
 
Misses in library cache during parse: 1
Misses in library cache during execute: 1O
ptimizer mode: ALL_ROWS
Parsing user id: 120  (OPS$TKYTE)
 
Rows     Row Source Operation
-------  ---------------------------------------------------
   4999  TABLE ACCESS FULL T (cr=398 pr=0 pw=0 time=15094 us)
 
Rows     Execution Plan
-------  ---------------------------------------------------
      0  SELECT STATEMENT   MODE: ALL_ROWS
   4999   TABLE ACCESS   MODE: ANALYZED (FULL) OF 'T' (TABLE)
 
********************************************************************************
select id, object_name from t where id = :x_is_1_first
 
call     count       cpu    elapsed       disk      query    current        rows
------- ------  -------- ---------- ---------- ---------- ----------  ----------
Parse        1      0.00       0.00          0          0          0           0
Execute      1      0.00       0.00          0          0          0           0
Fetch        2      0.00       0.00          0         67          0           1
------- ------  -------- ---------- ---------- ---------- ----------  ----------
total        4      0.00       0.00          0         67          0           1
 
Misses in library cache during parse: 0
Optimizer mode: ALL_ROWS
Parsing user id: 120  (OPS$TKYTE)
 
Rows     Row Source Operation
-------  ---------------------------------------------------
      1  TABLE ACCESS FULL T (cr=67 pr=0 pw=0 time=82 us)
 
Rows     Execution Plan
-------  ---------------------------------------------------
      0  SELECT STATEMENT   MODE: ALL_ROWS
      1   TABLE ACCESS   MODE: ANALYZED (FULL) OF 'T' (TABLE)
 
Explain plan appears to have gotten it right - but only by accident.  It is just a coincidence that the plans "match" - they were arrived at by very different thought processes.  The optimizer optimized 'where id=1' and said "about 5,000 rows, about 4,999 will be returned, full scan".  The explain plan optimized "where id=?" and said "about 5,000 rows in the table, two values for ID, about 50% of the table will be returned, full scan".
 
So, that example shows explain plan "getting it wrong" because it is blind to the bind - and shows the effect of bind variable peeking (which you can read more about on asktom using the link above...)
 
 
Explain plan doesn't see your datatype...
 
The last bit about explain plan I'll look at is the fact that explain plan doesn't see your bind datatype.  It presumes all binds are varchar2's regardless of how the developer is binding.  Consider:
 
ops$tkyte%ORA10GR2> create table t
  2  ( x varchar2(10) primary key,
  3    y date
  4  );
Table created.
 
ops$tkyte%ORA10GR2> insert into t values ( 1, sysdate );
1 row created.
 
ops$tkyte%ORA10GR2> variable x number
ops$tkyte%ORA10GR2> exec :x := 1
PL/SQL procedure successfully completed.
 
ops$tkyte%ORA10GR2> alter session set sql_trace=true;
Session altered.
 
ops$tkyte%ORA10GR2> select * from t where x = :x;
X          Y
---------- ---------
1          06-APR-07
 
ops$tkyte%ORA10GR2> alter session set sql_trace=false;
Session altered.
 
So, we have a table with a varchar2 datatype for the primary key - but we only stuff numbers in there.  End users and developers know it is always a number and then presume the type is a number (makes sense) - but someone used the wrong datatype (just in case maybe....).  When we look at the TKPROF we'll see the explain plan mismatch:
 
select * from t where x = :x
 
call     count       cpu    elapsed       disk      query    current        rows
------- ------  -------- ---------- ---------- ---------- ----------  ----------
Parse        1      0.00       0.00          0          0          0           0
Execute      1      0.00       0.00          0          1          0           0
Fetch        2      0.00       0.00          0          7          0           1
------- ------  -------- ---------- ---------- ---------- ----------  ----------
total        4      0.00       0.00          0          8          0           1
 
Misses in library cache during parse: 1O
ptimizer mode: ALL_ROWS
Parsing user id: 120  (OPS$TKYTE)
 
Rows     Row Source Operation
-------  ---------------------------------------------------
      1  TABLE ACCESS FULL T (cr=7 pr=0 pw=0 time=76 us)
 
Rows     Execution Plan
-------  ---------------------------------------------------
      0  SELECT STATEMENT   MODE: ALL_ROWS
      1   TABLE ACCESS (BY INDEX ROWID) OF 'T' (TABLE)
      0    INDEX (UNIQUE SCAN) OF 'SYS_C0013586' (INDEX (UNIQUE))
 
Explain plan - the 'execution plan' shows an index unique scan, but reality (the row source operation) shows we full scanned.  DBMS_XPLAN (autotrace in 10gr2 uses these new package introduced in 9ir2, you can use it directly if you like) shows us why we are full scanning:
 
ops$tkyte%ORA10GR2> select * from t where x = to_number(:x);
 
Execution Plan
----------------------------------------------------------
Plan hash value: 1601196873
--------------------------------------------------------------------------
| Id  | Operation         | Name | Rows  | Bytes | Cost (%CPU)| Time     |
--------------------------------------------------------------------------
|   0 | SELECT STATEMENT  |      |     1 |    16 |     3   (0)| 00:00:01 |
|*  1 |  TABLE ACCESS FULL| T    |     1 |    16 |     3   (0)| 00:00:01 |
--------------------------------------------------------------------------
 
Predicate Information (identified by operation id):
---------------------------------------------------
   1 - filter(TO_NUMBER("X")=TO_NUMBER(:X))
 
Note
-----
   - dynamic sampling used for this statement
 
So, when I told explain plan "hey, we have a NUMBER here" using to_number(), we can see what happened.  In the predicate information, we see that when you compare a number to a string, Oracle will TO_NUMBER(the string).  That of course makes using the index on the string not possible!
 
 
So, this example shows two things.  Firstly, that explain plan assumes varchar2 (so use to_number or literals!! and to_date to get the right type conveyed to explain plan).  Secondly, that implicit conversions are evil and should always be avoided. 
 
 
 




-The End-

posted on 2009-04-12 22:38 decode360-3 阅读(839) 评论(0)  编辑  收藏 所属分类: Oracle

只有注册用户登录后才能发表评论。


网站导航: