当删除表中的数据等时候,索引块中的index_entry也会随之被删除,当索引块中的index_entry全部被删除时,这个索引块才会被删除,所以经常对表进进行DML操作会造成索引碎片的产生。本文将简单的介绍如何分析和处理索引碎片的问题。
准备工作
创建实验所需的表(以及索引)
CREATE TABLE y_test_t ( id NUMBER, name VARCHAR2(50));
CREATE INDEX test_t_n1_i ON y_test_t( id );
插入一批测试数据
begin
for i in 1 .. 1000000 loop
insert INTO y_test_t(id, name) VALUES(i, 'name' || i);
if mod(i, 1000) then
commit; -- 1000条commit一次
end if;
end loop;
end;
分析索引
analyze index test_t_n1_i validate structure;
分析后会在index_stats表中产生数据
SELECT t.name as 索引名称,
t.height as 高度, -- >=4时建有整理
t.pct_used as 使用空间百分比, -- <50%时建有整理
t.del_lf_rows_len as 被删除行的长度,
t.lf_rows_len as 叶子行的总长度,
round(( t.del_lf_rows_len / t.lf_rows_len ), 4)* 100 || '%' AS 碎片率 -- >20%时建有整理
FROM index_stats t
WHERE t.name = 'TEST_T_N1_I';
产生碎片
删除大量数据
delete y_test_t where rownum < 600000;
再次分析,查看结果
索引名称 高度 使用空间百分比 被删除行的长度 叶子行的总长度 碎片率
------------------------------ ---------- -------------- -------------- -------------- -----------------------------------------
TEST_T_N1_I 3 100 9583827 15979802 59.97%
```
####整理碎片
在线整理功能(不影响表使用)
```
alter index test_t_n1_i rebuild online;
再次分析索引,然后查看
索引名称 高度 使用空间百分比 被删除行的长度 叶子行的总长度 碎片率
------------------------------ ---------- -------------- -------------- -------------- -----------------------------------------
TEST_T_N1_I 3 90 0 6395975 0%
```
网友评论