系列的最后一部,赛季第10杆:

1.存储过程分类?

2.如何创建存储过程?

3.如何修改存储过程?

4.如何删除存储过程?

5.如何运行存储过程?

6.exec是否在没有括号的情况下同样工作?

7.存储过程有几种返回值类型?

8.使用存储过程执行页面查询。


答案:

1. 1) 系统存储过程(system stored procedure) 前缀“sp_”,例如sp_help sp_helpdb。

2) 扩展存储过程(extended stored procedure) 前缀“xp_”,例如xp_cmdshell。

3) 用户自定义存储过程(user-defined stored procedure)也就是我们自己创建的。

2. create proc 存储过程名

[@参数名 参数类型[, @参数名 参数类型…]]

as

批处理语句

go

3. alter proc 存储过程名

[@参数名 参数类型[, @参数名 参数类型…]]

as

批处理语句

go

4. drop proc 存储过程名

5. exec proc 存储过程名 [参数值[, 参数值…]]

6. 不一样,加括号是执行SQL语句,不加括号是执行存储过程。

7. 存储过程有3种返回值类型:

a. 以Return传回整数

b. 以output格式传回参数

c. Recordset

返回值的区别: output和return都可在批次程式中用变量接收,而recordset则传回到执行批次的客户端中。

8. create proc queryPage

@tablename nvarchar(50), –用于传入表名

@idname nvarchar(50), –用于传入字段名

@pagesize int, –用于传入每页记录数

@currentpage int, –用于传入希望查看的页面编号

@totalpages int output –用于传出页面总数

as

–声明保存查询语句的局部变量:

declare @sql as nvarchar(1000)

–声明保存记录总数的局部变量:

declare @rowcount as int

–获得记录总数:

set @sql='select @rc=count() from '+@tablename –不要直接执行select @rowcount=count() from @tablename

–将参数传入语句:

exec sp_executesql @sql,N'@rc int output',@rc=@rowcount output

–将根据每页的行数得到的总页数保存到输出参数中:

set @totalpages = ceiling(cast(@rowcount as float)/cast(@pagesize as float))

if @currentpage >1

begin if @currentpage>@totalpages

begin set @currentpage = @totalpages –则显示最后一页

end

set @sql = 'select top '+cast(@pagesize as varchar) +' * from '+@tablename+' where '+@idname+' not in (select top ' +cast(@pagesize*(@currentpage-1) as varchar) +' '+@idname+' from '+@tablename+' order by '+@idname+') order by '+@idname

end else –只选第一页就不必使用子查询了,提高性能

begin set @sql = 'select top '+cast(@pagesize as varchar) +' * from '+@tablename+' order by '+@idname

end exec(@sql) –执行查询语句

go

相关推荐