I have a data table created in C#.
DataTable dt = new DataTable();
dt.Columns.Add(\"Name\", typeof(string));
dt.Columns.Add(\"Age\", typeof(int));
dt.Rows.A
First you need to create a Userdefined type of table that resembles your actual table. See the example below,
CREATE TYPE SomeType AS TABLE
(
C1 int,
C2 VARCHAR(50)
)
After this you need to create a stored procedure that takes this table type as parameter.
CREATE PROCEDURE SomeUSP
@tabType SomeType READONLY
AS
BEGIN
SET NOCOUNT ON;
INSERT INTO Yourtable(C1,C2)
SELECT C1,C2 FROM @tabType
END
That's it...Job done :)
You can change the stored procedure to accept a table valued parameter as an input. First however, you will need to create a user defined table TYPE which matches the structure of the C# DataTable:
CREATE TYPE dbo.PersonType AS TABLE
(
Name NVARCHAR(50), -- match the length of SomeTable.Column1
Age INT
);
Adjust your SPROC:
CREATE PROCEDURE dbo.InsertPerson
@Person dbo.PersonType READONLY
AS
BEGIN
INSERT INTO SomeTable(Column1, Column2)
SELECT p.Name, p.Age
FROM @Person p;
END
In C#, when you bind the datatable to the PROC parameter, you need to specify the parameter as:
parameter.SqlDbType = SqlDbType.Structured;
parameter.TypeName = "dbo.PersonType";
See also the example here Passing a Table-Valued Parameter to a Stored Procedure