将Identity配置文件保存在单独的数

时间:2015-09-16 07:55:49

标签: c# asp.net-mvc profile

我计划在一个全新的应用程序中实现MVC 5.0 ASP.Net标识。我参考了Microsoft文章batch,将客户配置文件信息添加到除标识表之外的单独表中。

但是,根据我的要求,我希望将客户资料信息存储在单独的数据库中,以便在数据库级别中隔离用户身份信息和客户资料信息。身份在创建用户和配置文件信息时使用单个数据存储,而我需要为用户和配置文件信息设置两个不同的存储。有人对此有任何建议吗?

1 个答案:

答案 0 :(得分:1)

您只需编写自定义UserStore类并扩展默认UserStore类。考虑这个简单的例子:

public class ApplicationUser : IdentityUser
{
    // other codes

    // Add your extra profile information 
    // By Adding NotMapped attribute EF omits this and dose not puts in Identity's table
    [NotMapped]
    public Profile Profile { get; set; }
}

public class Profile
{
    public int ID { get; set; }
    public string ExtraData { get; set; }
    // other properties 
}

现在我们需要自定义用户存储来从2 DB

中提取和获取数据
public class MyUserStore : UserStore<ApplicationUser>
{     
    public MyUserStore(DbContext context)
        : base(context)
    {
         // other implementation for second DB
    }

    public override Task CreateAsync(ApplicationUser user)
    {
          // save Profile object to separate DB 
          _mySecondDB.Save(User.Id, user.Profile);
          return base.CreateAsync(user);
    }

    public override Task UpdateAsync(ApplicationUser user)
    {
        // same pattern as CreateAsync
    }

    public override Task DeleteAsync(ApplicationUser user)
    {
        // same pattern as CreateAsync
    }


    public override async Task<ApplicationUser> FindByIdAsync(string userId)
    {
        var user = await base.FindByIdAsync(userId);
        user.Profile = _mySecondDB.FindProfileByUserId(userId);
        return user;
    }

    public override Task<ApplicationUser> FindByNameAsync(string userName)
    {
        // same pattern as FindByIdAsync
    }
}

现在您只需要在Identity管道中注入自定义用户存储。为此,请更改ApplicationUserManager.Create中的App_Start\IdentityConfig.cs静态方法,如下所示:

public static ApplicationUserManager Create(IdentityFactoryOptions<ApplicationUserManager> options, IOwinContext context) 
{
   var manager = new ApplicationUserManager(
       new MyUserStore(context.Get<ApplicationDbContext>()));
   // other codes 
}