SqlServer简单数据分页

时间:2023-09-06 14:30:20

手边开发的后端项目一直以来都用的.NET MVC框架,访问数据库使用其自带的EF CodeFirst模式,写存储过程的能力都快退化了

闲来无事,自己写了条分页存储过程,网上类似的文章多的是,这里只列了一种情况,依据分析函数生成行号来实现分页查询

环境:sqlServer 2014

创建数据库过程不再敖述,这里直接进入重点:

1、首先创建了一张TestAdmin表,主键为ID字段int类型且自增

 create table TestAdmin (
Id int identity(1,1) primary Key,
Name varchar(Max),
Age int
)

2、接着批量导入1000条模拟数据

 declare @count int
--这里定义模拟数据条数
set @count=1000 while(@count>0)
begin
insert into TestAdmin (Name,Age) values ('zhuyuan'+convert(varchar,@count),@count)
set @count=@count-1
end
 select * from TestAdmin

SqlServer简单数据分页

导入完成,开始分页:

大致思路为首先按一定排序规则查询出所有数据,然后为每一行自动生成行号,然后再对生成行号后的表进行where语句筛选处理

3、我们先为主表每行插入一列相同数据生成表V1,目的主要是为了后面的分析函数可以对表进行单行聚合

 select *,1 as SameRow from TestAdmin

SqlServer简单数据分页

  • (表V1)

4、再对表V1进行生成行号处理,利用sqlServer自带分析函数ROW_NUMBER()可实现该功能

 select ROW_NUMBER() over(partition by SameRow order by Id) as Row,* from (select *,1 as SameRow from TestAdmin)m

生成表V2

SqlServer简单数据分页

  • (表V2)

这时我们已经有一张具有索引行号的表V2,后面的操作就清晰了

5、假设我们需要每页10条数据,且查询第二页

 select * from (select ROW_NUMBER() over(partition by SameRow order by Id) as Row,* from (select *,1 as SameRow from TestAdmin)m)o where o.Row between 1*10+1 and 2*10

SqlServer简单数据分页

6、再做一次封装,为它创建一个存储过程,便于我们以后再次调用

 create proc select_page
(
@pageIndex int,--当前页码
@pagecount int--每页条数
)
as
begin
select * from (select ROW_NUMBER() over(partition by SameRow order by Id) as Row,* from (select *,1 as SameRow from TestAdmin)m)o where o.Row between @pageIndex*@pagecount+1 and (@pageIndex+1)*@pagecount
end

SqlServer简单数据分页

存储过程创建成功!

7、我们来试一下,假设要查询第5页,每页10条

 select_page 5,10

SqlServer简单数据分页

后面再对该表进行分页查询时就明显轻松许多^o^

留个脚印——2016.12.16 中午(阳光正好)