首先,我不能使用任何存储过程或视图 我知道这可能会适得其反,但那些不是我的规则。
我有一个DataTable
,里面装满了数据。它具有我的SQL表的复制结构。
ID - NAME
SQL表当前有一些数据,但我现在需要用DataTable
的所有数据更新它。如果ID匹配,它需要更新SQl表,或者添加到它唯一的列表中。
有没有办法只在我的WinForm应用程序中执行此操作?
到目前为止,我有:
SqlConnection sqlConn = new SqlConnection(ConnectionString);
SqlDataAdapter adapter = new SqlDataAdapter(string.Format("SELECT * FROM {0}", cmboTableOne.SelectedItem), sqlConn);
using (new SqlCommandBuilder(adapter))
{
try
{
adapter.Fill(DtPrimary);
sqlConn.Open();
adapter.Update(DtPrimary);
sqlConn.Close();
}
catch (Exception es)
{
MessageBox.Show(es.Message, @"SQL Connection", MessageBoxButtons.OK, MessageBoxIcon.Warning);
}
}
DataTable:
DataTable dtPrimary = new DataTable();
dtPrimary.Columns.Add("pv_id");
dtPrimary.Columns.Add("pv_name");
foreach (KeyValuePair<int, string> valuePair in primaryList)
{
DataRow dataRow = dtPrimary.NewRow();
dataRow["pv_id"] = valuePair.Key;
dataRow["pv_name"] = valuePair.Value;
dtPrimary.Rows.Add(dataRow);
SQL:
CREATE TABLE [dbo].[ice_provinces](
[pv_id] [int] IDENTITY(1,1) NOT NULL,
[pv_name] [nvarchar](50) NOT NULL,
CONSTRAINT [PK_ice_provinces] PRIMARY KEY CLUSTERED
(
[pv_id] ASC
)WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON [PRIMARY]
) ON [PRIMARY]
答案 0 :(得分:4)
由于您要更新现有值并从具有所有数据的数据表中插入新值,我认为以下方法可能最适合您:
SqlBulcCopy
类使用WriteToServer方法将数据从ADO.NET表批量插入到SQL表中。不涉及任何视图或存储过程,只有纯TSQL和.NET代码。
答案 1 :(得分:0)
这是我对此的尝试,通过它我至少可以更新数据库中的记录。它与目前的解决方案不同,它在执行Fill()后将值应用于DataTable。如果有必须更新的记录,则必须在DataTable中手动搜索,这就是缺点。 另一件事是,我意识到,如果你没有正确设置MissingSchemaAction,DataTable不会从数据库继承表模式。
所以这是示例代码(完整的ConsoleApplication):
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Data.SqlClient;
using System.Data;
namespace SQLCommandBuilder
{
class Program
{
static void Main(string[] args)
{
SqlConnectionStringBuilder ConnStringBuilder = new SqlConnectionStringBuilder();
ConnStringBuilder.DataSource = @"(local)\SQLEXPRESS";
ConnStringBuilder.InitialCatalog = "TestUndSpiel";
ConnStringBuilder.IntegratedSecurity = true;
SqlConnection sqlConn = new SqlConnection(ConnStringBuilder.ConnectionString);
SqlDataAdapter adapter = new SqlDataAdapter(string.Format("SELECT * FROM {0}", "ice_provinces"), sqlConn);
adapter.MissingSchemaAction = MissingSchemaAction.AddWithKey; // needs to be set to apply table schema from db to datatable
using (new SqlCommandBuilder(adapter))
{
try
{
DataTable dtPrimary = new DataTable();
adapter.Fill(dtPrimary);
// this would be a record you identified as to update:
dtPrimary.Rows[1]["pv_name"] = "value";
sqlConn.Open();
adapter.Update(dtPrimary);
sqlConn.Close();
}
catch (Exception es)
{
Console.WriteLine(es.Message);
Console.Read();
}
}
}
}
}