DbContext已被释放
本文关键字:释放 DbContext | 更新日期: 2023-09-27 18:30:13
我用ASP.NET MVC 4和SQL Server 2008开发了一个web应用程序,我创建了ContextManager类,以便在所有页面中只有一个数据库上下文。
public static class ContextManager
{
public static HotelContext Current
{
get
{
var key = "Hotel_" + HttpContext.Current.GetHashCode().ToString("x")
+ Thread.CurrentContext.ContextID.ToString();
var context = HttpContext.Current.Items[key] as HotelContext;
if (context == null)
{
context = new HotelContext();
HttpContext.Current.Items[key] = context;
}
return context;
}
}
}
它在大多数页面中都能正常工作,但在注册页面中出现了问题,我的上下文被废黜,出现了以下错误:
操作无法完成,因为DbContext已被释放。
public ActionResult Register ( RegisterModel model )
{
if ( ModelState.IsValid )
{
// Attempt to register the user
try
{
WebSecurity.CreateUserAndAccount( model.UserName, model.Password,
new
{
Email = model.Email,
IsActive = true,
Contact_Id = Contact.Unknown.Id
} );
//Add Contact for this User.
var contact = new Contact { Firstname = model.FirstName, LastName = model.Lastname };
_db.Contacts.Add( contact );
var user = _db.Users.First( u => u.Username == model.UserName );
user.Contact = contact;
_db.SaveChanges();
WebSecurity.Login( model.UserName, model.Password );
在_db.Contacts.Add( contact );
行,我得到了异常。
但不通过更改使用ContextManager
HotelContext _db = ContextManager.Current;
进入:
HotelContext _db = new HotelContext();
问题解决了。但我需要使用我自己的ContextManager。问题出在哪里?
您的上下文已被部署到其他地方(不在您显示的代码中),因此基本上,当您从Register
操作访问它时,它会抛出异常。
实际上,您不应该使用静态的singleton来访问您的上下文为每个请求实例化一个新的DbContext
实例。请参阅c#在多线程服务器中使用实体框架
在我的例子中,我的GetAll方法没有在lambda表达式中的where子句之后调用ToList()方法。使用ToList()后,我的问题得到了解决。
Where(x => x.IsActive).ToList();
您可能在注册视图中"懒惰地加载"User
的导航属性。在将其发送到视图之前,请确保在DbSet
上使用Include
方法将其包括在内:
_db.Users.Include(u => u.PropertyToInclude);
此外,使用静态属性共享DbContext
可能会产生意想不到的副作用。
我以前也遇到过同样的问题。我按照上面说的解决了这个问题。实例化上下文的新实例。
尝试使用这个:
using (HotelContextProductStoreDB = new ProductStoreEntities())
{
//your code
}
这样,每次使用代码时都会创建一个新实例,并且上下文不会被丢弃。
为什么要覆盖Dispose(bool)?
public partial class HotelContext : DbContext
{
public bool IsDisposed { get; set; }
protected override void Dispose(bool disposing)
{
IsDisposed = true;
base.Dispose(disposing);
}
}
然后检查IsDisposed
public static class ContextManager
{
public static HotelContext Current
{
get
{
var key = "Hotel_" + HttpContext.Current.GetHashCode().ToString("x")
+ Thread.CurrentContext.ContextID.ToString();
var context = HttpContext.Current.Items[key] as HotelContext;
if (context == null || context.IsDisposed)
{
context = new HotelContext();
HttpContext.Current.Items[key] = context;
}
return context;
}
}
}
也许,可以是一种选择。