一、簡介 簡單記錄一下存儲過程的使用。存儲過程是預編譯SQL語句集合,也可以包含一些邏輯語句,而且當第一次調用存儲過程時,被調用的存儲過程會放在緩存中,當再次執行時,則不需要編譯可以立馬執行,使得其執行速度會非常快。 二、使用 創建格式 create procedure 過程名( 變數名 變數類型 ...
一、簡介
簡單記錄一下存儲過程的使用。存儲過程是預編譯SQL語句集合,也可以包含一些邏輯語句,而且當第一次調用存儲過程時,被調用的存儲過程會放在緩存中,當再次執行時,則不需要編譯可以立馬執行,使得其執行速度會非常快。
二、使用
創建格式 create procedure 過程名( 變數名 變數類型 ) as begin ........ end
create procedure getGroup(@salary int) as begin SELECT d_id AS '部門編號', AVG(e_salary) AS '部門平均工資' FROM employee GROUP BY d_id HAVING AVG(e_salary) > @salary end
調用時格式,exec 過程名 參數
exec getGroup 7000
三、在存儲過程中實現分頁
3.1 要實現分頁,首先要知道實現的原理,其實就是查詢一個表中的前幾條數據
select top 10 * from table --查詢表前10條數據 select top 10 * from table where id not in (select top (10) id from tb) --查詢前10條數據 (條件是id 不屬於table 前10的數據中)
3.2 當查詢第三頁時,肯定不需要前20 條數據,則可以
select top 10 * from table where id not in (select top ((3-1) * 10) id from tb) --查詢前10條數據 (條件是id 不屬於table 前10的數據中)
3.3 將可變數字參數化,寫成存儲過程如下
create proc sp_pager ( @size int , --每頁大小 @index int --當前頁碼 ) as begin declare @sql nvarchar(1000) if(@index = 1) set @sql = 'select top ' + cast(@size as nvarchar(20)) + ' * from tb' else set @sql = 'select top ' + cast(@size as nvarchar(20)) + ' * from tb where id not in( select top '+cast((@index-1)*@size as nvarchar(50))+' id from tb )' execute(@sql) end
3.4 當前的這種寫法,要求id必須連續遞增,所以有一定的弊端
所以可以使用 row_number(),使用select語句進行查詢時,會為每一行進行編號,編號從1開始,使用時必須要使用order by 根據某個欄位預排序,還可以使用partition by 將 from 子句生成的結果集劃入應用了 row_number 函數的分區,類似於分組排序,寫成存儲過程如下
create proc sp_pager ( @size int, @index int ) as begin select * from ( select row_number() over(order by id ) as [rowId], * from table) as b where [rowId] between @size*(@index-1)+1 and @size*@index end