with net mvc existing asp asp.net asp.net-mvc entity-framework asp.net-mvc-5 asp.net-identity

asp.net - mvc - scaffolding asp net core



Identidad de ASP.NET confusiĆ³n de DbContext (4)

Una aplicación MVC 5 predeterminada viene con este código en IdentityModels.cs: este fragmento de código es para todas las operaciones de Identidad ASP.NET para las plantillas predeterminadas:

public class ApplicationDbContext : IdentityDbContext<ApplicationUser> { public ApplicationDbContext() : base("DefaultConnection") { } }

Si andamio un nuevo controlador usando vistas con Entity Framework y creo un "Nuevo contexto de datos ..." en el cuadro de diálogo, obtengo esto generado para mí:

using System; using System.Collections.Generic; using System.Data.Entity; using System.Linq; using System.Web; namespace WebApplication1.Models { public class AllTheOtherStuffDbContext : DbContext { // You can add custom code to this file. Changes will not be overwritten. // // If you want Entity Framework to drop and regenerate your database // automatically whenever you change your model schema, please use data migrations. // For more information refer to the documentation: // http://msdn.microsoft.com/en-us/data/jj591621.aspx public AllTheOtherStuffDbContext() : base("name=AllTheOtherStuffDbContext") { } public System.Data.Entity.DbSet<WebApplication1.Models.Movie> Movies { get; set; } } }

Si andamio otro controlador + vista usando EF, digamos por ejemplo para un modelo Animal, esta nueva línea se generaría automáticamente justo debajo de public System.Data.Entity.DbSet<WebApplication1.Models.Movie> Movies { get; set; } public System.Data.Entity.DbSet<WebApplication1.Models.Movie> Movies { get; set; } public System.Data.Entity.DbSet<WebApplication1.Models.Movie> Movies { get; set; } - como esto:

using System; using System.Collections.Generic; using System.Data.Entity; using System.Linq; using System.Web; namespace WebApplication1.Models { public class AllTheOtherStuffDbContext : DbContext { // You can add custom code to this file. Changes will not be overwritten. // // If you want Entity Framework to drop and regenerate your database // automatically whenever you change your model schema, please use data migrations. // For more information refer to the documentation: // http://msdn.microsoft.com/en-us/data/jj591621.aspx public AllTheOtherStuffDbContext() : base("name=AllTheOtherStuffDbContext") { } public System.Data.Entity.DbSet<WebApplication1.Models.Movie> Movies { get; set; } public System.Data.Entity.DbSet<WebApplication1.Models.Animal> Animals { get; set; } } }

ApplicationDbContext (para todo el material de identidad de ASP.NET) hereda de IdentityDbContext que a su vez hereda de DbContext . AllOtherStuffDbContext (para mis cosas) hereda de DbContext .

Entonces mi pregunta es:

¿Cuál de estos dos ( ApplicationDbContext y AllOtherStuffDbContext ) debería usar para todos mis otros modelos? ¿O debería usar el ApplicationDbContext autogenerado por defecto, ya que no debería ser un problema usarlo ya que deriva de la clase base DbContext , o habrá algún exceso? Deberías usar solo un objeto DbContext en tu aplicación para todos tus modelos (lo he leído en alguna parte), así que ni siquiera debería considerar usar tanto ApplicationDbContext como AllOtherStuffDbContext en una sola aplicación. ¿O cuál es la mejor práctica en MVC 5 con ASP.NET Identity?


Esta es una entrada tardía para la gente, pero debajo está mi implementación. También notará que apagué la capacidad de cambiar el tipo predeterminado de KEYs: los detalles sobre los cuales se pueden encontrar en los siguientes artículos:

NOTAS:
Debe tenerse en cuenta que no puede usar Guid''s para sus claves. Esto se debe a que, bajo el capó, son un Struct y, como tales, no tienen unboxing que permita su conversión de un parámetro genérico <TKey> .

LAS CLASES MIRAN COMO:

public class ApplicationDbContext : IdentityDbContext<ApplicationUser, CustomRole, string, CustomUserLogin, CustomUserRole, CustomUserClaim> { #region <Constructors> public ApplicationDbContext() : base(Settings.ConnectionString.Database.AdministrativeAccess) { } #endregion #region <Properties> //public DbSet<Case> Case { get; set; } #endregion #region <Methods> #region protected override void OnModelCreating(DbModelBuilder modelBuilder) { base.OnModelCreating(modelBuilder); //modelBuilder.Configurations.Add(new ResourceConfiguration()); //modelBuilder.Configurations.Add(new OperationsToRolesConfiguration()); } #endregion #region public static ApplicationDbContext Create() { return new ApplicationDbContext(); } #endregion #endregion } public class ApplicationUser : IdentityUser<string, CustomUserLogin, CustomUserRole, CustomUserClaim> { #region <Constructors> public ApplicationUser() { Init(); } #endregion #region <Properties> [Required] [StringLength(250)] public string FirstName { get; set; } [Required] [StringLength(250)] public string LastName { get; set; } #endregion #region <Methods> #region private private void Init() { Id = Guid.Empty.ToString(); } #endregion #region public public async Task<ClaimsIdentity> GenerateUserIdentityAsync(UserManager<ApplicationUser, string> manager) { // Note the authenticationType must match the one defined in CookieAuthenticationOptions.AuthenticationType var userIdentity = await manager.CreateIdentityAsync(this, DefaultAuthenticationTypes.ApplicationCookie); // Add custom user claims here return userIdentity; } #endregion #endregion } public class CustomUserStore : UserStore<ApplicationUser, CustomRole, string, CustomUserLogin, CustomUserRole, CustomUserClaim> { #region <Constructors> public CustomUserStore(ApplicationDbContext context) : base(context) { } #endregion } public class CustomUserRole : IdentityUserRole<string> { } public class CustomUserLogin : IdentityUserLogin<string> { } public class CustomUserClaim : IdentityUserClaim<string> { } public class CustomRoleStore : RoleStore<CustomRole, string, CustomUserRole> { #region <Constructors> public CustomRoleStore(ApplicationDbContext context) : base(context) { } #endregion } public class CustomRole : IdentityRole<string, CustomUserRole> { #region <Constructors> public CustomRole() { } public CustomRole(string name) { Name = name; } #endregion }


Hay mucha confusión sobre IdentityDbContext , una búsqueda rápida en y encontrará estas preguntas:
" ¿Por qué Asp.Net Identity IdentityDbContext es una Black-Box?
¿Cómo puedo cambiar los nombres de las tablas cuando uso Visual Studio 2013 AspNet Identity?
Fusionar MyDbContext con IdentityDbContext "

Para responder a todas estas preguntas solo necesitamos entender que IdentityDbContext es solo una clase heredada de DbContext.
Echemos un vistazo a la fuente IdentityDbContext :

/// <summary> /// Base class for the Entity Framework database context used for identity. /// </summary> /// <typeparam name="TUser">The type of user objects.</typeparam> /// <typeparam name="TRole">The type of role objects.</typeparam> /// <typeparam name="TKey">The type of the primary key for users and roles.</typeparam> /// <typeparam name="TUserClaim">The type of the user claim object.</typeparam> /// <typeparam name="TUserRole">The type of the user role object.</typeparam> /// <typeparam name="TUserLogin">The type of the user login object.</typeparam> /// <typeparam name="TRoleClaim">The type of the role claim object.</typeparam> /// <typeparam name="TUserToken">The type of the user token object.</typeparam> public abstract class IdentityDbContext<TUser, TRole, TKey, TUserClaim, TUserRole, TUserLogin, TRoleClaim, TUserToken> : DbContext where TUser : IdentityUser<TKey, TUserClaim, TUserRole, TUserLogin> where TRole : IdentityRole<TKey, TUserRole, TRoleClaim> where TKey : IEquatable<TKey> where TUserClaim : IdentityUserClaim<TKey> where TUserRole : IdentityUserRole<TKey> where TUserLogin : IdentityUserLogin<TKey> where TRoleClaim : IdentityRoleClaim<TKey> where TUserToken : IdentityUserToken<TKey> { /// <summary> /// Initializes a new instance of <see cref="IdentityDbContext"/>. /// </summary> /// <param name="options">The options to be used by a <see cref="DbContext"/>.</param> public IdentityDbContext(DbContextOptions options) : base(options) { } /// <summary> /// Initializes a new instance of the <see cref="IdentityDbContext" /> class. /// </summary> protected IdentityDbContext() { } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of Users. /// </summary> public DbSet<TUser> Users { get; set; } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of User claims. /// </summary> public DbSet<TUserClaim> UserClaims { get; set; } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of User logins. /// </summary> public DbSet<TUserLogin> UserLogins { get; set; } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of User roles. /// </summary> public DbSet<TUserRole> UserRoles { get; set; } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of User tokens. /// </summary> public DbSet<TUserToken> UserTokens { get; set; } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of roles. /// </summary> public DbSet<TRole> Roles { get; set; } /// <summary> /// Gets or sets the <see cref="DbSet{TEntity}"/> of role claims. /// </summary> public DbSet<TRoleClaim> RoleClaims { get; set; } /// <summary> /// Configures the schema needed for the identity framework. /// </summary> /// <param name="builder"> /// The builder being used to construct the model for this context. /// </param> protected override void OnModelCreating(ModelBuilder builder) { builder.Entity<TUser>(b => { b.HasKey(u => u.Id); b.HasIndex(u => u.NormalizedUserName).HasName("UserNameIndex").IsUnique(); b.HasIndex(u => u.NormalizedEmail).HasName("EmailIndex"); b.ToTable("AspNetUsers"); b.Property(u => u.ConcurrencyStamp).IsConcurrencyToken(); b.Property(u => u.UserName).HasMaxLength(256); b.Property(u => u.NormalizedUserName).HasMaxLength(256); b.Property(u => u.Email).HasMaxLength(256); b.Property(u => u.NormalizedEmail).HasMaxLength(256); b.HasMany(u => u.Claims).WithOne().HasForeignKey(uc => uc.UserId).IsRequired(); b.HasMany(u => u.Logins).WithOne().HasForeignKey(ul => ul.UserId).IsRequired(); b.HasMany(u => u.Roles).WithOne().HasForeignKey(ur => ur.UserId).IsRequired(); }); builder.Entity<TRole>(b => { b.HasKey(r => r.Id); b.HasIndex(r => r.NormalizedName).HasName("RoleNameIndex"); b.ToTable("AspNetRoles"); b.Property(r => r.ConcurrencyStamp).IsConcurrencyToken(); b.Property(u => u.Name).HasMaxLength(256); b.Property(u => u.NormalizedName).HasMaxLength(256); b.HasMany(r => r.Users).WithOne().HasForeignKey(ur => ur.RoleId).IsRequired(); b.HasMany(r => r.Claims).WithOne().HasForeignKey(rc => rc.RoleId).IsRequired(); }); builder.Entity<TUserClaim>(b => { b.HasKey(uc => uc.Id); b.ToTable("AspNetUserClaims"); }); builder.Entity<TRoleClaim>(b => { b.HasKey(rc => rc.Id); b.ToTable("AspNetRoleClaims"); }); builder.Entity<TUserRole>(b => { b.HasKey(r => new { r.UserId, r.RoleId }); b.ToTable("AspNetUserRoles"); }); builder.Entity<TUserLogin>(b => { b.HasKey(l => new { l.LoginProvider, l.ProviderKey }); b.ToTable("AspNetUserLogins"); }); builder.Entity<TUserToken>(b => { b.HasKey(l => new { l.UserId, l.LoginProvider, l.Name }); b.ToTable("AspNetUserTokens"); }); } }


Según el código fuente, si queremos fusionar IdentityDbContext con nuestro DbContext tenemos dos opciones:

Primera opción:
Cree un DbContext que herede de IdentityDbContext y tenga acceso a las clases.

public class ApplicationDbContext : IdentityDbContext { public ApplicationDbContext() : base("DefaultConnection") { } static ApplicationDbContext() { Database.SetInitializer<ApplicationDbContext>(new ApplicationDbInitializer()); } public static ApplicationDbContext Create() { return new ApplicationDbContext(); } // Add additional items here as needed }


Notas adicionales:

1) También podemos cambiar los nombres de la tabla predeterminada de identidad de asp.net con la siguiente solución:

public class ApplicationDbContext : IdentityDbContext { public ApplicationDbContext(): base("DefaultConnection") { } protected override void OnModelCreating(System.Data.Entity.DbModelBuilder modelBuilder) { base.OnModelCreating(modelBuilder); modelBuilder.Entity<IdentityUser>().ToTable("user"); modelBuilder.Entity<ApplicationUser>().ToTable("user"); modelBuilder.Entity<IdentityRole>().ToTable("role"); modelBuilder.Entity<IdentityUserRole>().ToTable("userrole"); modelBuilder.Entity<IdentityUserClaim>().ToTable("userclaim"); modelBuilder.Entity<IdentityUserLogin>().ToTable("userlogin"); } }

2) Además, podemos extender cada clase y agregar cualquier propiedad a clases como ''IdentityUser'', ''IdentityRole'', ...

public class ApplicationRole : IdentityRole<string, ApplicationUserRole> { public ApplicationRole() { this.Id = Guid.NewGuid().ToString(); } public ApplicationRole(string name) : this() { this.Name = name; } // Add any custom Role properties/code here } // Must be expressed in terms of our custom types: public class ApplicationDbContext : IdentityDbContext<ApplicationUser, ApplicationRole, string, ApplicationUserLogin, ApplicationUserRole, ApplicationUserClaim> { public ApplicationDbContext() : base("DefaultConnection") { } static ApplicationDbContext() { Database.SetInitializer<ApplicationDbContext>(new ApplicationDbInitializer()); } public static ApplicationDbContext Create() { return new ApplicationDbContext(); } // Add additional items here as needed }

Para ahorrar tiempo, podemos utilizar la plantilla de proyecto extensible AspNet Identity 2.0 para extender todas las clases.

Segunda opción: (No recomendado)
En realidad, no tenemos que heredar de IdentityDbContext si escribimos todo el código nosotros mismos.
Básicamente, podemos heredar de DbContext e implementar nuestra versión personalizada de "OnModelCreating (generador de ModelBuilder)" del código fuente de IdentityDbContext


Si profundiza en las abstracciones de IdentityDbContext, verá que se parece a su DbContext derivado. La ruta más fácil es la respuesta de Olav, pero si desea tener más control sobre lo que se está creando y una menor dependencia de los paquetes de Identidad, eche un vistazo a mi pregunta y respuesta aquí . Hay un ejemplo de código si sigue el enlace, pero en resumen solo agrega los DbSets necesarios a su propia subclase DbContext.


Utilizaría una única clase Context heredando de IdentityDbContext. De esta forma, puede hacer que el contexto esté al tanto de cualquier relación entre sus clases y el Usuario de Identidad y Roles de IdentityDbContext. Hay muy poca sobrecarga en el IdentityDbContext, básicamente es un DbContext regular con dos DbSets. Uno para los usuarios y otro para los roles.