ASP.NET Identity 2.1 和 EF 6 - ApplicationUser 与其他实体的关系
ASP.NET Identity 2.1 and EF 6 - ApplicationUser relationships with other entities
似乎找不到这个问题的答案,尽管我所做的似乎对大多数开发人员来说很常见且很重要。在大多数具有用户帐户的系统中,用户 table 与数据库中的其他 table 相关联。这就是我想要的。我正在使用 MSSQL Express 2012 和 VS 2013。
我有一个 class 库,我在其中使用代码优先方法生成 table。我也将 IdentityModel class 从 MVC 项目移到了这个 class 库中。一切都单独工作 - 我的 tables 已生成并且工作正常,而身份 tables 是在我注册新用户时生成的。
但是,现在我需要我的一个 entities/tables 以 1-1 的关系绑定到 ApplicationUser,但是像这样添加字段会阻止生成身份 table:
public class ApplicationUser : IdentityUser
{
//***custom field
public MyPortfolio Portfolio { get; set; }
public async Task<ClaimsIdentity> GenerateUserIdentityAsync(UserManager<ApplicationUser> manager)
{
var userIdentity = await manager.CreateIdentityAsync(this, DefaultAuthenticationTypes.ApplicationCookie);
return userIdentity;
}
}
public class ApplicationDbContext : IdentityDbContext<ApplicationUser>
{
public ApplicationDbContext()
: base("name=MyDataModel", throwIfV1Schema: false)
{
}
public static ApplicationDbContext Create()
{
return new ApplicationDbContext();
}
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
base.OnModelCreating(modelBuilder);
//sql output log
Database.Log = s => Debug.Write(s);
}
}
..."MyPortfolio" 只是普通实体:
public class MyPortfolio
{
[Key]
[DatabaseGenerated(DatabaseGeneratedOption.Identity)]
public int Id { get; set; }
[StringLength(45, MinimumLength = 3)]
public string Name { get; set; }
public Boolean IsMaster { get; set; }
//public ApplicationUser User { get; set; } //threw exception!
}
我对 Identity 了解不多,但我读过 Migrations 可能是答案。如果可能的话,我宁愿避免任何进一步的复杂性。真的有必要吗?我处于早期开发阶段,将 dropping/re-creating 成为 table 很多次。
更新 1:
好的,我添加了如下所述的 adricadar 等所有内容。这是发生了什么......
添加迁移时,我必须从包管理器控制台的 "Default project" 下拉列表中 select 我的 class 库。在执行 Enable-Migrations 时,出现以下错误:
More than one context type was found in the assembly 'MyProject.Data'.
To enable migrations for 'MyProject.Models.ApplicationDbContext', use
Enable-Migrations -ContextTypeName
MyProject.Models.ApplicationDbContext. To enable migrations for
'MyProject.Data.MyDataModel', use Enable-Migrations -ContextTypeName
MyProject.Data.MyDataModel.
...所以我做了以下操作:
Enable-Migrations -ContextTypeName
MyProject.Models.ApplicationDbContext
...正如预期的那样,为 AspNetUser* tables.
创建了配置 class 和 "InitialCreate" class
然后我 运行 "Add-Migration UserPortofolioRelation",它生成了带有 Up() 和 Down() 的 DbMigration class。 Up 和 Down 都定义了我在 MyDataModel 中定义的所有 table。我现在在 Up():
中看到 MyPortfolio 和 AspNetUsers 之间的关系
CreateTable(
"dbo.MyPortfolio",
c => new
{
Id = c.Int(nullable: false, identity: true),
Name = c.String(maxLength: 45),
IsMaster = c.Boolean(nullable: false),
UserId = c.String(nullable: false, maxLength: 128),
})
.PrimaryKey(t => t.Id)
.ForeignKey("dbo.AspNetUsers", t => t.UserId)
.Index(t => t.UserId);
当我 运行 更新数据库时,出现以下错误:
Applying explicit migrations:
[201504141316068_UserPortofolioRelation]. Applying explicit migration:
201504141316068_UserPortofolioRelation.
System.Data.SqlClient.SqlException (0x80131904): There is already an
object named 'MyPortfolio' in the database.
我对迁移的了解程度是这个基本教程:
https://msdn.microsoft.com/en-us/data/jj591621.aspx
这对我有用,在生成的迁移代码中只定义了新字段,而不是删除和创建所有 table 的命令。
更新 2:
我遵循了本教程,当尝试在多个数据上下文中进行迁移时,它似乎更清楚地解释了一些事情:
我运行这个命令:
Enable-Migrations -ContextTypeName
MyProject.Models.ApplicationDbContext
创建了以下配置:
internal sealed class Configuration : DbMigrationsConfiguration<MyProject.Models.ApplicationDbContext>
{
public Configuration()
{
AutomaticMigrationsEnabled = false;
}
protected override void Seed(MyProject.Models.ApplicationDbContext context)
{
}
}
...看起来不错。然后我运行这个:
Add-Migration -Configuration MyProject.Data.Migrations.Configuration
MigrationIdentity
...生成此文件的文件:
namespace MyProject.Data.Migrations
{
using System;
using System.Data.Entity.Migrations;
public partial class MigrationIdentity : DbMigration
{
public override void Up()
{
CreateTable(
"dbo.MyPortfolio",
c => new
{
Id = c.Int(nullable: false, identity: true),
Name = c.String(maxLength: 45),
IsMaster = c.Boolean(nullable: false),
UserId = c.String(nullable: false, maxLength: 128),
})
.PrimaryKey(t => t.Id)
.ForeignKey("dbo.AspNetUsers", t => t.UserId)
.Index(t => t.UserId);
...my other non-identity entities...
CreateTable(
"dbo.AspNetUsers",
c => new
{
Id = c.String(nullable: false, maxLength: 128),
Email = c.String(maxLength: 256),
EmailConfirmed = c.Boolean(nullable: false),
PasswordHash = c.String(),
SecurityStamp = c.String(),
PhoneNumber = c.String(),
PhoneNumberConfirmed = c.Boolean(nullable: false),
TwoFactorEnabled = c.Boolean(nullable: false),
LockoutEndDateUtc = c.DateTime(),
LockoutEnabled = c.Boolean(nullable: false),
AccessFailedCount = c.Int(nullable: false),
UserName = c.String(nullable: false, maxLength: 256),
})
.PrimaryKey(t => t.Id)
.Index(t => t.UserName, unique: true, name: "UserNameIndex");
...other Identity entities/tables...
}
public override void Down()
{
...everything you'd expect...
}
}
}
太棒了!所有 tables/entities 都在一个文件中!所以我运行它:
Update-Database -Configuration MyProject.Data.Migrations.Configuration
-Verbose
...砰!它使用 MyPortfolio table 上的 UserId FK 生成了所有 table。这个世界似乎一切都很好。现在没有什么能阻止我!然后我 运行 它得到了这个异常:
One or more validation errors were detected during model generation:
System.Data.Entity.ModelConfiguration.ModelValidationException
MyProject.Data.IdentityUserLogin: : EntityType 'IdentityUserLogin' has
no key defined. Define the key for this EntityType.
MyProject.Data.IdentityUserRole: : EntityType 'IdentityUserRole' has
no key defined. Define the key for this EntityType.
IdentityUserLogins: EntityType: EntitySet 'IdentityUserLogins' is
based on type 'IdentityUserLogin' that has no keys defined.
IdentityUserRoles: EntityType: EntitySet 'IdentityUserRoles' is based
on type 'IdentityUserRole' that has no keys defined.
快速 Google 让我自然而然地回到了 Stack Exchange:
已接受的答案概述了一系列新的可能角度,以尝试使其正常工作。这让我回到了我最初的问题。我可以 不进行 迁移吗?这有可能吗?考虑到随之而来的复杂程度,我正在认真讨论 "rolling my own" 身份验证,如果没有的话。我已经花费了大量时间尝试将代码优先实体简单地绑定到身份用户。每扇新门都会多出两扇门。这似乎不值得...但也许他们会在下一个版本中对此进行一些清理。
您可以在 OnModelCreating
中指定关系。
尝试为每个数据库使用 一个 DbContext
。通常你为不同的数据库设置 different DbContexts
,而不是相同的。
移动 ApplicationDbContext
中的所有实体并按照以下说明操作。
public class ApplicationDbContext : IdentityDbContext<ApplicationUser>
{
public ApplicationDbContext()
: base("name=MyDataModel", throwIfV1Schema: false)
{
}
public DbSet<MyPortfolio> Portfolios { get; set; }
// The rest of the entities
// goes here
public static ApplicationDbContext Create()
{
return new ApplicationDbContext();
}
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
modelBuilder.Entity<MyPortfolio>()
.HasRequired(m => m.User )
.WithOptional(m => m.Portfolio )
.Map(m => { m.MapKey("UserId"); });
base.OnModelCreating(modelBuilder);
//sql output log
Database.Log = s => Debug.Write(s);
}
}
比起更新数据库,有了迁移,这非常容易。在Visual Studio中打开Package Manager Console
并按顺序输入这些命令。
Enable-Migration
Add-Migration UserPortofolioRelation`
Update-Database
似乎找不到这个问题的答案,尽管我所做的似乎对大多数开发人员来说很常见且很重要。在大多数具有用户帐户的系统中,用户 table 与数据库中的其他 table 相关联。这就是我想要的。我正在使用 MSSQL Express 2012 和 VS 2013。
我有一个 class 库,我在其中使用代码优先方法生成 table。我也将 IdentityModel class 从 MVC 项目移到了这个 class 库中。一切都单独工作 - 我的 tables 已生成并且工作正常,而身份 tables 是在我注册新用户时生成的。
但是,现在我需要我的一个 entities/tables 以 1-1 的关系绑定到 ApplicationUser,但是像这样添加字段会阻止生成身份 table:
public class ApplicationUser : IdentityUser
{
//***custom field
public MyPortfolio Portfolio { get; set; }
public async Task<ClaimsIdentity> GenerateUserIdentityAsync(UserManager<ApplicationUser> manager)
{
var userIdentity = await manager.CreateIdentityAsync(this, DefaultAuthenticationTypes.ApplicationCookie);
return userIdentity;
}
}
public class ApplicationDbContext : IdentityDbContext<ApplicationUser>
{
public ApplicationDbContext()
: base("name=MyDataModel", throwIfV1Schema: false)
{
}
public static ApplicationDbContext Create()
{
return new ApplicationDbContext();
}
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
base.OnModelCreating(modelBuilder);
//sql output log
Database.Log = s => Debug.Write(s);
}
}
..."MyPortfolio" 只是普通实体:
public class MyPortfolio
{
[Key]
[DatabaseGenerated(DatabaseGeneratedOption.Identity)]
public int Id { get; set; }
[StringLength(45, MinimumLength = 3)]
public string Name { get; set; }
public Boolean IsMaster { get; set; }
//public ApplicationUser User { get; set; } //threw exception!
}
我对 Identity 了解不多,但我读过 Migrations 可能是答案。如果可能的话,我宁愿避免任何进一步的复杂性。真的有必要吗?我处于早期开发阶段,将 dropping/re-creating 成为 table 很多次。
更新 1:
好的,我添加了如下所述的 adricadar 等所有内容。这是发生了什么......
添加迁移时,我必须从包管理器控制台的 "Default project" 下拉列表中 select 我的 class 库。在执行 Enable-Migrations 时,出现以下错误:
More than one context type was found in the assembly 'MyProject.Data'. To enable migrations for 'MyProject.Models.ApplicationDbContext', use Enable-Migrations -ContextTypeName MyProject.Models.ApplicationDbContext. To enable migrations for 'MyProject.Data.MyDataModel', use Enable-Migrations -ContextTypeName MyProject.Data.MyDataModel.
...所以我做了以下操作:
Enable-Migrations -ContextTypeName MyProject.Models.ApplicationDbContext
...正如预期的那样,为 AspNetUser* tables.
创建了配置 class 和 "InitialCreate" class然后我 运行 "Add-Migration UserPortofolioRelation",它生成了带有 Up() 和 Down() 的 DbMigration class。 Up 和 Down 都定义了我在 MyDataModel 中定义的所有 table。我现在在 Up():
中看到 MyPortfolio 和 AspNetUsers 之间的关系 CreateTable(
"dbo.MyPortfolio",
c => new
{
Id = c.Int(nullable: false, identity: true),
Name = c.String(maxLength: 45),
IsMaster = c.Boolean(nullable: false),
UserId = c.String(nullable: false, maxLength: 128),
})
.PrimaryKey(t => t.Id)
.ForeignKey("dbo.AspNetUsers", t => t.UserId)
.Index(t => t.UserId);
当我 运行 更新数据库时,出现以下错误:
Applying explicit migrations: [201504141316068_UserPortofolioRelation]. Applying explicit migration: 201504141316068_UserPortofolioRelation. System.Data.SqlClient.SqlException (0x80131904): There is already an object named 'MyPortfolio' in the database.
我对迁移的了解程度是这个基本教程:
https://msdn.microsoft.com/en-us/data/jj591621.aspx
这对我有用,在生成的迁移代码中只定义了新字段,而不是删除和创建所有 table 的命令。
更新 2:
我遵循了本教程,当尝试在多个数据上下文中进行迁移时,它似乎更清楚地解释了一些事情:
我运行这个命令:
Enable-Migrations -ContextTypeName MyProject.Models.ApplicationDbContext
创建了以下配置:
internal sealed class Configuration : DbMigrationsConfiguration<MyProject.Models.ApplicationDbContext>
{
public Configuration()
{
AutomaticMigrationsEnabled = false;
}
protected override void Seed(MyProject.Models.ApplicationDbContext context)
{
}
}
...看起来不错。然后我运行这个:
Add-Migration -Configuration MyProject.Data.Migrations.Configuration MigrationIdentity
...生成此文件的文件:
namespace MyProject.Data.Migrations
{
using System;
using System.Data.Entity.Migrations;
public partial class MigrationIdentity : DbMigration
{
public override void Up()
{
CreateTable(
"dbo.MyPortfolio",
c => new
{
Id = c.Int(nullable: false, identity: true),
Name = c.String(maxLength: 45),
IsMaster = c.Boolean(nullable: false),
UserId = c.String(nullable: false, maxLength: 128),
})
.PrimaryKey(t => t.Id)
.ForeignKey("dbo.AspNetUsers", t => t.UserId)
.Index(t => t.UserId);
...my other non-identity entities...
CreateTable(
"dbo.AspNetUsers",
c => new
{
Id = c.String(nullable: false, maxLength: 128),
Email = c.String(maxLength: 256),
EmailConfirmed = c.Boolean(nullable: false),
PasswordHash = c.String(),
SecurityStamp = c.String(),
PhoneNumber = c.String(),
PhoneNumberConfirmed = c.Boolean(nullable: false),
TwoFactorEnabled = c.Boolean(nullable: false),
LockoutEndDateUtc = c.DateTime(),
LockoutEnabled = c.Boolean(nullable: false),
AccessFailedCount = c.Int(nullable: false),
UserName = c.String(nullable: false, maxLength: 256),
})
.PrimaryKey(t => t.Id)
.Index(t => t.UserName, unique: true, name: "UserNameIndex");
...other Identity entities/tables...
}
public override void Down()
{
...everything you'd expect...
}
}
}
太棒了!所有 tables/entities 都在一个文件中!所以我运行它:
Update-Database -Configuration MyProject.Data.Migrations.Configuration -Verbose
...砰!它使用 MyPortfolio table 上的 UserId FK 生成了所有 table。这个世界似乎一切都很好。现在没有什么能阻止我!然后我 运行 它得到了这个异常:
One or more validation errors were detected during model generation:
System.Data.Entity.ModelConfiguration.ModelValidationException
MyProject.Data.IdentityUserLogin: : EntityType 'IdentityUserLogin' has no key defined. Define the key for this EntityType. MyProject.Data.IdentityUserRole: : EntityType 'IdentityUserRole' has no key defined. Define the key for this EntityType. IdentityUserLogins: EntityType: EntitySet 'IdentityUserLogins' is based on type 'IdentityUserLogin' that has no keys defined. IdentityUserRoles: EntityType: EntitySet 'IdentityUserRoles' is based on type 'IdentityUserRole' that has no keys defined.
快速 Google 让我自然而然地回到了 Stack Exchange:
已接受的答案概述了一系列新的可能角度,以尝试使其正常工作。这让我回到了我最初的问题。我可以 不进行 迁移吗?这有可能吗?考虑到随之而来的复杂程度,我正在认真讨论 "rolling my own" 身份验证,如果没有的话。我已经花费了大量时间尝试将代码优先实体简单地绑定到身份用户。每扇新门都会多出两扇门。这似乎不值得...但也许他们会在下一个版本中对此进行一些清理。
您可以在 OnModelCreating
中指定关系。
尝试为每个数据库使用 一个 DbContext
。通常你为不同的数据库设置 different DbContexts
,而不是相同的。
移动 ApplicationDbContext
中的所有实体并按照以下说明操作。
public class ApplicationDbContext : IdentityDbContext<ApplicationUser>
{
public ApplicationDbContext()
: base("name=MyDataModel", throwIfV1Schema: false)
{
}
public DbSet<MyPortfolio> Portfolios { get; set; }
// The rest of the entities
// goes here
public static ApplicationDbContext Create()
{
return new ApplicationDbContext();
}
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
modelBuilder.Entity<MyPortfolio>()
.HasRequired(m => m.User )
.WithOptional(m => m.Portfolio )
.Map(m => { m.MapKey("UserId"); });
base.OnModelCreating(modelBuilder);
//sql output log
Database.Log = s => Debug.Write(s);
}
}
比起更新数据库,有了迁移,这非常容易。在Visual Studio中打开Package Manager Console
并按顺序输入这些命令。
Enable-Migration
Add-Migration UserPortofolioRelation`
Update-Database