zoukankan      html  css  js  c++  java
  • 使用存储过程创建分页

    在实际的开发过程中,经常遇到存储过程分页,下面根据实际情况总结的几种方法:

    数据库名称:myTest

    1、思路:利用select top and select not in 排除例外情况的分页
    use myTest
    go
    create procedure proc_paged_with_notin 
     (
         @pageIndex int,  --页索引
         @pageSize int    --每页记录数
     )
    as
    begin
        set nocount on; --没有返回值
        declare @sql nvarchar(500)
        set @sql='select top '+str(@pageSize)+' * from tb_TestTable where(ID not in(select top '+str(@pageSize*@pageIndex)+' id from tb_TestTable order by ID ASC)) order by ID'
        execute(@sql)  --因select top后不支持直接接参数,所以写成了字符串@sql
        set nocount off;
    end

    exec proc_paged_with_notin 10,5

    2、思路:利用select top and select max(列)分页
    use myTest
    go
    create procedure proc_paged_with_selectMax 
     (
         @pageIndex int,  --页索引
         @pageSize int    --每页记录数
     )
     as
     begin
     set nocount on;
        declare @sql nvarchar(500) 
        if @pageIndex=0
                set @sql='select top '+str(@pageSize)+' * from tb_TestTable order by ID'
        else
                set @sql='select top '+str(@pageSize)+' * From tb_TestTable where(ID>(select max(id) From (select top '+str(@pageSize*@pageIndex)+' id  From  tb_TestTable order by ID) as TempTable)) order by ID'
    execute(@sql)
    set nocount off;
    end

    exec proc_paged_with_selectMax 10,5


    3、思路:利用Row_number()给数据行加上索引
    create procedure proc_paged_with_Rownumber  --利用SQL 2005中的Row_number()
     (
         @pageIndex int,
         @pageSize int
     )
    as
     begin
     set nocount on;
        select * from (select *,Row_number() over(order by ID asc) as IDRank from tb_testTable) as IDWithRowNumber where IDRank>@pageSize*@pageIndex and IDRank<@pageSize*(@pageIndex+1)
    set nocount off;
    end

    exec proc_paged_with_Rownumber 10,5

    三种方法的测试结果显示:select max >row_number>not in(分页速度)

  • 相关阅读:
    分布式系统唯一ID生成方案汇总
    百度开源的分布式 id 生成器
    全局唯一ID生成器
    VisualSVN Server迁移的方法
    SQL Server 函数 LEN 与 DATALENGTH的区别
    SQLServer中DataLength()和Len()两内置函数的区别
    sql server 查询ntext字段长度
    JAVA使用POI如何导出百万级别数据
    Java 使用stringTemplate导出大批量数据excel(百万级)
    Java 两个日期间的天数计算
  • 原文地址:https://www.cnblogs.com/jsping/p/2646237.html
Copyright © 2011-2022 走看看