sql server 存儲過程的分頁,這個問題已經討論過幾年了,很多朋友在問我,所以在此發表一下我的觀點
建立表:
create table [testtable] (
 [id] [int] identity (1, 1) not null ,
 [firstname] [nvarchar] (100) collate chinese_prc_ci_as null ,
 [lastname] [nvarchar] (100) collate chinese_prc_ci_as null ,
 [country] [nvarchar] (50) collate chinese_prc_ci_as null ,
 [note] [nvarchar] (2000) collate chinese_prc_ci_as null 
) on [primary]
go
 
插入數據:(2萬條,用更多的數據測試會明顯一些)
set identity_insert testtable on
declare @i int
set @i=1
while @i<=20000
begin
    insert into testtable([id], firstname, lastname, country,note) values(@i, 'firstname_xxx','lastname_xxx','country_xxx','note_xxx')
    set @[email protected]+1
end
set identity_insert testtable off
 
-------------------------------------
分頁方案一:(利用not in和select top分頁)
語句形式:
select top 10 *
from testtable
where (id not in
          (select top 20 id
         from testtable
         order by id))
order by id
select top 頁大小 *
from testtable
where (id not in
          (select top 頁大小*頁數 id
         from 表
         order by id))
order by id
-------------------------------------
分頁方案二:(利用id大于多少和select top分頁)
語句形式:
select top 10 *
from testtable
where (id >
          (select max(id)
         from (select top 20 id
                 from testtable
                 order by id) as t))
order by id
select top 頁大小 *
from testtable
where (id >
          (select max(id)
         from (select top 頁大小*頁數 id
                 from 表
                 order by id) as t))
order by id
-------------------------------------
分頁方案三:(利用sql的游標存儲過程分頁)
create  procedure xiaozhengge
@sqlstr nvarchar(4000), --查詢字符串
@currentpage int, --第n頁
@pagesize int --每頁行數
as
set nocount on
declare @p1 int, --p1是游標的id
 @rowcount int
exec sp_cursoropen @p1 output,@sqlstr,@scrollopt=1,@ccopt=1,@[email protected] output
select ceiling(1.0*@rowcount/@pagesize) as 總頁數--,@rowcount as 總行數,@currentpage as 當前頁 
set @currentpage=(@currentpage-1)*@pagesize+1
exec sp_cursorfetch @p1,16,@currentpage,@pagesize 
exec sp_cursorclose @p1
set nocount off
其它的方案:如果沒有主鍵,可以用臨時表,也可以用方案三做,但是效率會低。
建議優化的時候,加上主鍵和索引,查詢效率會提高。
通過sql 查詢分析器,顯示比較:我的結論是:
分頁方案二:(利用id大于多少和select top分頁)效率最高,需要拼接sql語句
分頁方案一:(利用not in和select top分頁)   效率次之,需要拼接sql語句
分頁方案三:(利用sql的游標存儲過程分頁)    效率最差,但是最為通用
在實際情況中,要具體分析。
更多的討論見:
http://community.csdn.net/expert/topic/3292/3292678.xml?temp=.1621515