Identifying and Resolving Inefficient Row-by-Row Table Access in Oracle Queries
In Oracle databases, a common performance issue occurs when queries rely on Index Range Scans combined with Table Access by ROWID. This happens when:
This row-by-row table access can significantly degrade performance, especially if the query needs to retrieve a large number of rows.
When examining an Execution Plan, We will see the following pattern:
INDEX RANGE SCAN
— Oracle scans the index.TABLE ACCESS BY ROWID
— Oracle fetches each row from the table using the ROWID found in the index.Id | Operation | Name |
---|---|---|
0 | SELECT STATEMENT | |
1 | TABLE ACCESS BY ROWID | MY_TABLE |
2 | INDEX RANGE SCAN | MY_INDEX |
This access path is fine for a small number of rows, but it becomes very inefficient when handling large result sets.
We can run the following SQL to identify the 30 most frequently executed queries in your database that suffer from this Index Range Scan + Table Access by ROWID pattern:
WITH plan_with_steps AS (
SELECT s.sql_text, s.executions, s.fetches,
s.disk_reads, s.buffer_gets, s.rows_processed,
s.cpu_time, s.elapsed_time, s.sql_id,
ROW_NUMBER() OVER (PARTITION BY s.sql_id ORDER BY p.id) AS step_number,
p.operation, p.options
FROM v$sql s JOIN v$sql_plan p ON s.sql_id = p.sql_id
WHERE p.operation = 'TABLE ACCESS'
AND p.options = 'BY INDEX ROWID'
AND EXISTS (
SELECT 1
FROM v$sql_plan p2
WHERE p2.sql_id = p.sql_id AND p2.id < p.id
AND p2.operation = 'INDEX'
AND p2.options LIKE '%RANGE SCAN%'
)
)
SELECT sql_text,
executions, fetches, disk_reads, buffer_gets,
rows_processed, cpu_time, elapsed_time, sql_id
FROM plan_with_steps
WHERE step_number = 1
ORDER BY executions DESC
FETCH FIRST 30 ROWS ONLY;
This query: