asp.net identity(微软首推的身份验证)2.0分析-基于vs2015默认程序

因为总是感觉,asp.net identity用起来不太舒服,比如代码的扩展性,以及维护以后的版本,所以对其进行分析

下面进入正文:

在vs2015自带的默认程序中,App_Start/IdentityConfig.cs,通过ApplicationUserManager Create函数开始分析,函数主要内容如下

  public static ApplicationUserManager Create(IdentityFactoryOptions options, IOwinContext context) 
        {
            var manager = new ApplicationUserManager(new UserStore(context.Get()));
..........

可以得出,该函数初始化,新建ApplicationUserManager类(该类自身),传入一个新建UserStore泛型类,并给该UserStore泛型类通过查看该类定义得出,传入的为DbContext context参数

而在Microsoft.AspNet.Identity.EntityFramework二进制dll中,UserStore新建用户的函数为

public async virtual Task CreateAsync(TUser user)
        {
            ((UserStore) this).ThrowIfDisposed();
            if (user == null)
            {
                throw new ArgumentNullException("user");
            }
            ((UserStore) this)._userStore.Create(user);
            await ((UserStore) this).SaveChanges().WithCurrentCulture();
        }

可以看到对数据库的操作关键在于_userStore.Create,而_userStore字段的初始化为,

this._userStore = new EntityStore(context);
另外关于角色的管理,_roleStore字段为
this._roleStore = new EntityStore(context);

EntityStore泛型中,通过内部调用EntityFramework对数据库进行操作

        public void Create(TEntity entity)
        {
            this.DbEntitySet.Add(entity);
        }
        

由此可知道,自己构建对数据库的操作,并和asp.net identity集成的方法




附上EntityStore的代码

namespace Microsoft.AspNet.Identity.EntityFramework
{
    using System;
    using System.Data.Entity;
    using System.Linq;
    using System.Runtime.CompilerServices;
    using System.Threading.Tasks;
    
    internal class EntityStore where TEntity: class
    {
        public EntityStore(DbContext context)
        {
            this.Context = context;
            this.DbEntitySet = context.Set();
        }
        
        public void Create(TEntity entity)
        {
            this.DbEntitySet.Add(entity);
        }
        
        public void Delete(TEntity entity)
        {
            this.DbEntitySet.Remove(entity);
        }
        
        public virtual Task GetByIdAsync(object id)
        {
            return this.DbEntitySet.FindAsync(new object[] { id });
        }
        
        public virtual void Update(TEntity entity)
        {
            if (entity != null)
            {
                this.Context.Entry(entity).State = EntityState.Modified;
            }
        }
        
        public DbContext Context { get; private set; }
        
        public DbSet DbEntitySet { get; private set; }
        
        public IQueryable EntitySet
        {
            get
            {
                return this.DbEntitySet;
            }
        }
    }





你可能感兴趣的:(asp.net,c#,web,asp.net,身份授权)