Opening a DbContext connection within an existing

2020-04-08 11:21发布

I'm interested if opening an Entity Framework's DbContext connection within an existing ADO.NET SqlConnection should be discouraged, provided that they both use the same connection string, i.e. operate on the exactly same database?

For example:

using (TransactionScope scope = new TransactionScope(TransactionScopeOption.Required, new System.TimeSpan(0, 30, 0)))
{
    using (SqlConnection connection = new SqlConnection(connectionString))
    {
        connection.Open();
        DoStuffWithEF(connectionString);
        ...
    }
}

void DoStuffWithEF(string connectionString)
{
    using (var context = new MyCodeFirstDbContext(connectionString))
    {
        // basic LINQ queries ...
    }
}
  1. Is the connection being reused in both cases, given that the connection string refers to the same SQL Server 2012 database in both cases?
  2. Is there any danger that such operation will require MSDTC?

1条回答
成全新的幸福
2楼-- · 2020-04-08 11:51

The connection string is not the connection. You never pass the actual connection to the context, so it has to create a new one. As a consequence, the transaction will escalate to a distributed transaction in order to cover both connections.

You need to pass the actual connection object to the context, using the appropriate constructor. In this case there will be only a single local transaction and no need to escalate it to a distributed transaction.

In EF6+ you can simply pass the connection object. Change your method to this:

void DoStuffWithEF(SqlConnection connection)
{
    using(var context=new MyCodeFirstDbContext(connection,false)
    {
    // ...
    }
}

In previous versions you couldn't pass an open connection which required some unpleasant gymnastics, as described here

查看更多
登录 后发表回答