13

我正在尝试更新用户。

AppUserManager appUserManager = HttpContext.GetOwinContext().GetUserManager<AppUserManager>();

AppUser member = await appUserManager.FindByIdAsync(User.Identity.GetUserId());

member.HasScheduledChanges = true;

IdentityResult identityResult = appUserManager.Update(member);

如果对 Web API 的后续调用失败,我需要回滚对用户的任何更改。我知道交易,像这样:

using (var context = HttpContext.GetOwinContext().Get<EFDbContext>())
 {
    using (var dbContextTransaction = context.Database.BeginTransaction())
    {      
        try
        {   
            // Changes

            member.HasScheduledChanges = true;

            // Would this be transactional?
            IdentityResult identityResult = appUserManager.Update(member);               

            context.SaveChanges();

            dbContextTransaction.Commit();
        }
        catch //(Exception ex)
        {

            // dbContextTransaction.Rollback(); no need to call this manually.
        }
    }
}

但是在 try 块中使用 AppUserManager 完成的操作会是事务性的吗?此外,他们是否使用相同的 EFDbContext 实例?换句话说,我不知道第二个代码示例开头的 var context 是否会被 try 块中的 appUserManager“Update”方法调用使用。

此外,AppUserManager 是这样创建的:

public static AppUserManager Create(IdentityFactoryOptions<AppUserManager> options, IOwinContext context)
{           

    EFDbContext db = context.Get<EFDbContext>();

    AppUserManager manager = new AppUserManager(new UserStore<AppUser>(db));

    // etc.

    return manager;
}
4

2 回答 2

16

EFDbContext在您的示例中是相同的 - 在这两种情况下,您都可以从 OWIN 上下文中解决它们,所以这不是问题。但是,Identity 是以与存储无关的方式编写的,这意味着存储机制可以被非 SQL Server 替换。这要求AppUserManager. 所以你需要创建你自己的。

我经常var scope = new TransactionScope(TransactionScopeAsyncFlowOption.Enabled)在我的生产应用程序中使用(只有更多的架构):

using(var scope = new TransactionScope(TransactionScopeAsyncFlowOption.Enabled))
{
    try
    {
        AppUserManager appUserManager = HttpContext.GetOwinContext().GetUserManager<AppUserManager>();

        AppUser member = await appUserManager.FindByIdAsync(User.Identity.GetUserId());

        member.HasScheduledChanges = true;

        IdentityResult identityResult = appUserManager.Update(member);
        scope.Complete();
    }
    catch (Exception ex)
    {
        scope.Dispose();
        throw;
    }
}
于 2016-04-15T10:45:51.150 回答
8

使用 asp.net 身份 UserManager 进行事务提交/回滚的完整解决方案

var appDbContext = HttpContext.GetOwinContext().Get<ApplicationDbContext>();
using (var identitydbContextTransaction = appDbContext.Database.BeginTransaction())
{
   try
   {
       var result = await UserManager.CreateAsync(user, "password");
       if (result.Succeeded)
       {
         var userinfo = await UserManager.FindByNameAsync("Email");
         var userId = user.Id;
         await UserManager.AddToRoleAsync(userId, "rolename");

         identitydbContextTransaction.Commit();
       }
  }
  catch (Exception)
  {
        identitydbContextTransaction.Rollback();
  }
}

它可以帮助您使用 asp.net 身份 UserManager 进行交易。但它对我有用,如果事务中发生任何错误,它将回滚所有事务。

于 2016-05-26T04:51:53.613 回答