2

是否可以在 TransactionScope 中打开一个新的 SqlConnection,而不引用事务中的其他连接?在事务内部,我需要运行另一个不应参与事务的命令。

void test() {
    using (var t = new TransactionScope())
    using (var c = new SqlConnection(constring))
    {
        c.Open();
        try 
        {
             using (var s = new SqlCommand("Update table SET column1 = 1");
             {
                   s.ExecuteScalar();  // If this fails
             }
             t.Complete();
        }
        catch (Exception ex)
        {
             SaveErrorToDB(ex);  // I don't want to run this in the same transaction
        }
    }
}

// I don't want this to get involved in the transaction, because it would generate
// a Distributed transaction, which I don't want. I Just want the error to go to the
// db not caring about it is run inside the TransactionScope of the previous function.
void SaveErrorToDB(Exception ex) {
    using (var db = new SqlConnection(constring)) {
          db.Open();

          using (var cmd = new SqlCommand("INSERT INTO ErrorLog (msg) VALUES (" + ex.Message + "))
          {
                cmd.ExecuteNonQuery();
          }
    }

}
4

2 回答 2

3

终于自己找到了:

另一个 SqlConnection 必须初始化为“Enlist=false”,那么该连接将不会被征入同一个事务中:

using (var db = new SqlConnection(constring + ";Enlist=false")) {
...
于 2013-08-10T16:39:28.060 回答
0

或者,您的SaveErrorToDB方法可以建立连接:

void test() {
    using (var t = new TransactionScope())
    using (var c = new SqlConnection(constring))
    {
        c.Open();
        try 
        {
             using (var s = new SqlCommand("Update table SET column1 = 1");
             {
                   s.ExecuteScalar();  // If this fails
             }
             t.Complete();
        }
        catch (Exception ex)
        {
             SaveErrorToDB(ex, c);  // I don't want to run this in the same transaction
        }
    }
}

void SaveErrorToDB(Exception ex, SqlConnection c) {
      using (var cmd = new SqlCommand("INSERT INTO ErrorLog (msg) VALUES (" + ex.Message + ", c))
      {
            cmd.ExecuteNonQuery();
      }
}
于 2017-07-27T21:42:04.640 回答