是否可以在变量中为exec存储过程返回一个值?
像
这样的东西DECLARE @count int
SET @count = Execute dbo.usp_GetCount @Id=123
答案 0 :(得分:25)
您可以使用sp_executesql
代替exec
来分配标量输出参数
DECLARE @out int
EXEC sp_executesql N'select @out_param=10',
N'@out_param int OUTPUT',
@out_param=@out OUTPUT
SELECT @out
对于exec
我只知道如何使用表变量
declare @out table
(
out int
)
insert into @out
exec('select 10')
select *
from @out
对于存储过程,您还可以使用output
参数或返回码。后者只能返回一个整数,通常首选返回错误代码而不是数据。下面将介绍这两种技术。
create proc #foo
@out int output
as
set @out = 100
return 99
go
declare @out int, @return int
exec @return = #foo @out output
select @return as [@return], @out as [@out]
drop proc #foo
答案 1 :(得分:23)
如果在proc
中使用RETURNDECLARE @count int
EXECUTE @count = dbo.usp_GetCount @Id=123
OUTPUT参数
DECLARE @count int
EXECUTE dbo.usp_GetCount @Id=123, @count OUTPUT
将结果重定向到临时表/表变量
DECLARE @count int
DECLARE @cache TABLE (CountCol int NOT NULL)
INSERT @cache EXECUTE dbo.usp_GetCount @Id=123
SELECT @count = CountCol FROM @cache
您不能将存储过程中的记录集直接分配给标量变量
答案 2 :(得分:10)
通常很多方法可以做到这一点,但最简单的方法是:
DECLARE @count int
Execute @count = dbo.usp_GetCount @Id=123