3
CREATE table comp_tb 
(
a tinyint
)


insert into comp_tb values('4')
insert into comp_tb values('1')
insert into comp_tb values('5')
insert into comp_tb values('6')
insert into comp_tb values('10')
insert into comp_tb values('3')
insert into comp_tb values('2')
insert into comp_tb values('8')


SELECT * from comp_tb ct --as order of insert 

create NONCLUSTERED INDEX NCI_a ON comp_tb(a)

SELECT * from comp_tb ct --sorts in acending order

drop INDEX NCI_a ON comp_tb

create CLUSTERED INDEX CI_a ON comp_tb(a)

SELECT * from comp_tb ct -- sorts in acending order

drop INDEX CI_a ON comp_tb

那么聚集索引和非聚集索引在数据创建后就对其进行物理排序?

根据我的只读聚集索引是否进行物理排序?

4

2 回答 2

10

非聚集索引不像聚集索引那样对磁盘上的数据进行排序。

但是查询优化器会生成一个查询计划来扫描这个非聚集索引,它会按照索引的顺序给出数据。发生这种情况是因为索引与表完全匹配:表和索引中的一列。所以它使用索引和你明显的数据排序。

如果添加更多列以使索引对全表扫描无用,则会生成一个扫描实际堆数据的查询计划。不使用索引。

CREATE table #comp_tb 
(
a tinyint,
payload1 char(3000) NOT NULL,
payload2 varchar(100) NOT NULL,
)

insert into #comp_tb values('4', '4' /*padded*/, '44444444444')
insert into #comp_tb values('1', '1' /*padded*/, '1111111111111111111111111111')
insert into #comp_tb values('5', '5' /*padded*/, '55')
insert into #comp_tb values('6', '6' /*padded*/, '666666666666666666666666666666666666')
insert into #comp_tb values('10', '10' /*padded*/, 'a')
insert into #comp_tb values('3', '3' /*padded*/, '3333333')
insert into #comp_tb values('2', '2' /*padded*/, REPLICATE('2', 50))
insert into #comp_tb values('8', '8' /*padded*/, '8888888888888888888888')

SELECT * from #comp_tb ct --as order of insert 

create NONCLUSTERED INDEX NCI_a ON #comp_tb(a DESC)

SELECT * from #comp_tb ct --as order of insert 

drop INDEX NCI_a ON #comp_tb
于 2013-06-20T07:27:01.630 回答
2

物理上,表数据仅按聚集索引排列。根据查询计划使用不同的索引。如果使用非聚集索引,则不是从表中检索数据,因此您会看到数据是有序的。

查询计划

于 2013-06-20T07:39:30.763 回答