我使用连接到 MS-Access 数据库的 VB.net (200%) 开发了一个应用程序,我使用 TableAdapter 和 Dataset 连接到 Access DB 文件。
我需要实现一个简单的事务方法(提交、回滚)来保存到数据库吗?
有没有办法做到这一点而无需使用内联 SQL 语句?
谢谢,
我使用连接到 MS-Access 数据库的 VB.net (200%) 开发了一个应用程序,我使用 TableAdapter 和 Dataset 连接到 Access DB 文件。
我需要实现一个简单的事务方法(提交、回滚)来保存到数据库吗?
有没有办法做到这一点而无需使用内联 SQL 语句?
谢谢,
在我阅读 Microsoft Jet(Access DB 引擎)时,它支持事务。因此,您可以创建这样的事务(来自CodeProject的示例):
SqlConnection db = new SqlConnection("connstringhere");
SqlTransaction transaction;
db.Open();
transaction = db.BeginTransaction();
try
{
new SqlCommand("INSERT INTO TransactionDemo " +
"(Text) VALUES ('Row1');", db, transaction)
.ExecuteNonQuery();
new SqlCommand("INSERT INTO TransactionDemo " +
"(Text) VALUES ('Row2');", db, transaction)
.ExecuteNonQuery();
new SqlCommand("INSERT INTO CrashMeNow VALUES " +
"('Die', 'Die', 'Die');", db, transaction)
.ExecuteNonQuery();
transaction.Commit();
}
catch (SqlException sqlError)
{
transaction.Rollback();
}
db.Close();
一种更简单的方法是(来自15 Seconds的示例):
bool IsConsistent = false;
using (System.Transactions.TransactionScope ts = new System.Transactions.TransactionScope())
{
SqlConnection cn = newSqlConnection(CONNECTION_STRING );
string sql = "DELETE Categories";
SqlCommand cmd = newSqlCommand(sql, cn);
cn.Open();
cmd.ExecuteNonQuery();
cn.Close();
//Based on this property the transaction will commit if
//successful. If it fails however, this property will
//not be set and the transaction will not commit.
ts.Consistent = IsConsistent;
}
如果您使用的是TransactionScope ,则需要在您的机器上运行 MSDTC 。
不幸的是TableAdapter 没有公开连接属性,因此您需要一种解决方法。所以你需要一些解决方法:
1)反射(示例形式CodeProject)
conn = new SqlConnection(Properties.Settings.Default.NorthwindConnectionString);
conn.Open();
trans = conn.BeginTransaction();
1.
public SqlDataAdapter GetAdapter(object tableAdapter)
{
Type tableAdapterType = tableAdapter.GetType();
SqlDataAdapter adapter = (SqlDataAdapter)tableAdapterType.GetProperty("Adapter", BindingFlags.Instance | BindingFlags.NonPublic).GetValue(tableAdapter, null);
return adapter;
}
2.
adapter.InsertCommand.Connection = trans.Connection;
adapter.UpdateCommand.Connection = trans.Connection;
adapter.DeleteCommand.Connection = trans.Connection;
3.
adapter.InsertCommand.Transaction = trans;
adapter.UpdateCommand.Transaction = trans;
adapter.DeleteCommand.Transaction = trans;
4.
-
5.
trans.commit();
反射可能很慢!
2) TransactionScope ( DevX.com示例)
CustomersDataSet.CustomersDataTable customers = new CustomersDataSet.CustomersDataTable();
CustomersDataSetTableAdapters.CustomersTableAdapter tblAdap = new
CustomersDataSetTableAdapters.CustomersTableAdapter();
using (TransactionScope txScope = new TransactionScope())
{
tblAdap.Fill(customers);
customers.Rows[0]["ContactName"] = "Maria Velasquez";
tblAdap.Update(customers);
txScope.Complete();
}
您将需要 MSDTC!