我有一个存储过程,可以从多个表中检索三列。我想在用户定义的多值表中获取结果,并将变量传递给另一个过程以对变量数据执行操作。但是,它不起作用。我有以下代码。知道为什么它不起作用吗?
--This is the initial stored procedure
Create Procedure spSelectData
AS
BEGIN
Select
Userid, first_date, last_update
From Users
END
--This is to create the table type.
Create type Task1TableType AS TABLE
(
Userid nvarchar(20),
First_date datetime,
Last_update datetime
)
--Declare a table of type
DECLARE @firstStep AS Task1TableType
(
Userid nvarchar(20),
First_date datetime,
Last_update datetime
)
Insert @firstStep EXEC spSelectData
Select * from @firstStep
-- This is the procedure 1
CREATE PROC spTest1
@TTType Task1TableType READONLY
AS
BEGIN
Select * from @TTType
END
最佳答案
问题在这里:
DECLARE @firstStep AS Task1TableType
(
Userid nvarchar(20),
First_date datetime,
Last_update datetime
)
Insert @firstStep
EXEC spSelectData;
应该:
DECLARE @firstStep AS Task1TableType;
Insert INTO @firstStep
EXEC spSelectData;
EXEC spTest1
@firstStep;
无需定义定义类型的列,并且
INSERT
需要INTO
子句。更改之后,您的代码即可正常工作。SqlFiddleDemo