ASP.NET正在将DbContext注入Identity UserManager



我有一个Question模型,它引用了AppUser模型。这是一种1到*的关系,因为1个AppUser有许多问题,而一个问题属于1个AppUser。我的问题类如下:

public class Question
{
public int Id { get; set; }
public string Subject { get; set; }
public string Text { get; set; }
public DateTime Date { get; set; }
public int NumOfViews { get; set; }
public AppUser LastAnswerBy { get; set; }
public AppUser AppUser { get; set; }
public ICollection<Comment> Comments { get; set; }
}

所以我试着在我的控制器中的数据库中添加一个新的问题,如下所示:

[HttpPost]
public ActionResult PostQuestion(Question question)
{
if (ModelState.IsValid)
{
var id = User.Identity.GetUserId();
var user = UserManager.Users.FirstOrDefault(x => x.Id == id);
question.Date = DateTime.Now;
question.AppUser = user;
_context.Questions.Add(question);
_context.SaveChanges();
return RedirectToAction("Index");
}
return View(question);
}
private AppUserManager UserManager
{
get { return HttpContext.GetOwinContext().GetUserManager<AppUserManager>(); }
}

使用此代码,我得到一个异常,如下所示:实体对象不能被IEntityChangeTracker的多个实例引用。因此,经过一番搜索,问题似乎是我的控制器和AppUserManager类有两个不同的DbContext实例,解决方案是将其注入到这些类中。将它注入到我的控制器中是没有问题的,但我不知道如何将它注入我的UserManager类中,它看起来像这样:

public class AppUserManager : UserManager<AppUser>
{
public AppUserManager(IUserStore<AppUser> store)
: base(store)
{ }
public static AppUserManager Create(IdentityFactoryOptions<AppUserManager> options,
IOwinContext context)
{
AppIdentityDbContext db = context.Get<AppIdentityDbContext>();
AppUserManager manager = new AppUserManager(new UserStore<AppUser>(db));
return manager;
}
}

它是从我的IdentityConfig类调用的,看起来像这样:

public class IdentityConfig
{
public void Configuration(IAppBuilder app)
{
app.CreatePerOwinContext<AppIdentityDbContext>(AppIdentityDbContext.Create);
app.CreatePerOwinContext<AppUserManager>(AppUserManager.Create);
app.CreatePerOwinContext<AppRoleManager>(AppRoleManager.Create);
app.UseCookieAuthentication(new CookieAuthenticationOptions
{
AuthenticationType = DefaultAuthenticationTypes.ApplicationCookie,
LoginPath = new PathString("/Account/Login"),
});
app.UseExternalSignInCookie(DefaultAuthenticationTypes.ExternalCookie);
}

我的问题可能是我不太了解身份部分。非常感谢任何帮助

解决方案:正如Tobias所说,我使用了两种不同的上下文来更新数据库。获得这样的上下文是可行的:

private AppIdentityDbContext Context
{
get { return HttpContext.GetOwinContext().Get<AppIdentityDbContext>(); }
}

你的问题很可能是你试图用两个不同的上下文做一件事。您正在使用一个上下文查找用户,并尝试使用另一个上下文更新数据库。要解决这个问题,您应该在控制器中实例化您的上下文,如下所示:

_context = HttpContext.GetOwinContext().Get<AppIdentityDbContext>();

通过这种方式,您可以获得用于实例化AppUserManager的相同上下文。

如果我弄错了,或者不清楚,请发表评论。:)

相关内容

  • 没有找到相关文章

最新更新