'How to take table name as an input parameter to the stored procedure?
I have a small stored procedure below.
I am taking the table name as an input parameter to the stored procedure so that I'm planning to insert the data into the temp table and display the same. This is just a tiny code block of my project stored procedure.
When I am compiling the below, it is considering the parameter in the select statement as a table variable and throwing the error as:
Must declare the table variable "@TableName".
SQL:
CREATE PROCEDURE xyz @TableName Varchar(50)
AS
BEGIN
SELECT TOP 10 * INTO #Temp_Table_One
FROM @TableName
SELECT * FROM #Temp_Table_One
END
Solution 1:[1]
use sql dynamic
try
CREATE PROCEDURE xyz @TableName Varchar(50)
AS
BEGIN
DECLARE @query
set @query = 'SELECT TOP 10 * FROM '+ @TableName
EXEC @query
END
add schema name.
eg:
exec xyz @TableName = 'dbo.mytable'
exec xyz @TableName = 'myschema.mytable'
Solution 2:[2]
CREATE PROCEDURE sp_Get_Table
@Table_Name SYSNAME
AS
BEGIN
SET NOCOUNT ON;
DECLARE @DynamicSQL NVARCHAR(4000)
SET @DynamicSQL = N'SELECT * FROM ' + @Table_Name
EXECUTE sp_executesql @DynamicSQL
END
GO
EXEC sp_Get_Table 'tblUKCustomers'
This code will help you
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | LuisR9 |
Solution 2 | grey |