本指南演示如何使用 C# 中的单个参数化查询有效地将多行插入 SQL Server 数据库(2008 或更高版本)。 这种技术采用表值参数,显着提高了单个插入语句的性能。
首先在 SQL Server 中创建用户定义的表类型来表示插入的数据结构:
<code class="language-sql">CREATE TYPE MyTableType AS TABLE ( Col1 int, Col2 varchar(20) ) GO</code>
接下来,创建一个接受此用户定义的表类型作为参数的存储过程:
<code class="language-sql">CREATE PROCEDURE MyProcedure ( @MyTable dbo.MyTableType READONLY -- READONLY is crucial for table-valued parameters ) AS BEGIN INSERT INTO MyTable (Col1, Col2) SELECT Col1, Col2 FROM @MyTable; END; GO</code>
在您的 C# 代码中,构造一个 DataTable
来保存您要插入的数据:
<code class="language-csharp">DataTable dt = new DataTable(); dt.Columns.Add("Col1", typeof(int)); dt.Columns.Add("Col2", typeof(string)); // Populate the DataTable with your data here... For example: DataRow row1 = dt.NewRow(); row1["Col1"] = 1; row1["Col2"] = "Value 1"; dt.Rows.Add(row1); // ...add more rows as needed...</code>
最后,使用 SqlCommand
执行存储过程:
<code class="language-csharp">using (SqlConnection con = new SqlConnection("YourConnectionString")) { using (SqlCommand cmd = new SqlCommand("MyProcedure", con)) { cmd.CommandType = CommandType.StoredProcedure; cmd.Parameters.AddWithValue("@MyTable", dt); //AddWithValue handles SqlDbType automatically con.Open(); cmd.ExecuteNonQuery(); } }</code>
此方法提供了一种高效的方法来插入带有参数化值的多行,与单个 INSERT
语句相比,可以防止 SQL 注入漏洞并提高数据库性能。 请记住将 "YourConnectionString"
替换为您的实际连接字符串。
以上是如何在 C# 中使用表值参数高效插入带有参数化变量的多行?的详细内容。更多信息请关注PHP中文网其他相关文章!