我正在使用ASP。NET Core 3.1,带有MySql数据库和实体框架核心。我需要为这个项目添加标识。
我添加了以下软件包:
- 柚子。EntityFrameworkCore。MySql
- 微软。EntityFrameworkCore
- 微软。AspNetCore。身份
- 微软。AspNetCore。身份UI
- 微软。AspNetCore。身份EntityFrameworkCore
我创建了一个ApplicationDbContext
:
public class ApplicationDbContext : IdentityDbContext
{
public ApplicationDbContext(DbContextOptions<ApplicationDbContext> options)
: base(options)
{
}
}
并在ConfigurateServices
方法中向Startup
文件添加以下代码:
services.AddDbContext<ApplicationDbContext>(options =>
options.UseMySql(
Configuration.GetConnectionString("DefaultConnection")));
services.AddDefaultIdentity<IdentityUser>(options => options.SignIn.RequireConfirmedAccount = true)
.AddEntityFrameworkStores<ApplicationDbContext>();
此外,我还在appsetings.json
中添加了一个DefaultConnection
。
所有教程的最后一步都是重新创建迁移,但我在这里遇到了一个错误。
在程序集"Web"中找不到迁移配置类型。(在Visual Studio中,可以使用Package Manager控制台中的"启用迁移"命令来添加迁移配置(。
如果我运行"启用迁移",我会得到
在程序集"Web"中找不到上下文类型
如何运行迁移和更新数据库?
创建您的用户模型(ApplicationUser(,然后从IdentityUser 中固有
将新创建的用户模型作为通用参数添加到IdentityDbcontext
public class ApplicationDbContext : IdentityDbContext<ApplicationUser>
{
public ApplicationDbContext(DbContextOptions<ApplicationDbContext> options)
: base(options)
{
}
protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{
base.OnConfiguring(optionsBuilder);
}
}
services.AddIdentity<ApplicationUser, IdentityRole>(options => options.SignIn.RequireConfirmedAccount = true)
.AddEntityFrameworkStores<ApplicationDbContext>()
.AddDefaultTokenProviders();
您的用户模型应该是这样的。
public class ApplicationUser : IdentityUser
{
public string FirstName { get; set; }
public string LastName { get; set; }
public string Address { get; set; }
public string State { get; set; }
public string City { get; set; }
public string Website { get; set; }
public bool IsActive { get; set; }
public string PhotoUrl { get; set; }
}
最后一件事是创建并运行一个新的迁移来更新数据库
注意:如果您的项目中有多个DbContext,则需要指定创建迁移时要使用的DbContext
例如,这里我有两个不同的DbContext
dotnet ef migrations add {migration-name} -c TenantDbContext -s ../AspNetCorePropertyPro.Api/AspNetCorePropertyPro.Api.csproj to run the migration against a client.
dotnet ef database update -c GlobalDbContext -s ../AspNetCorePropertyPro.Api/AspNetCorePropertyPro.Api.csproj to run migration against the global context
dotnet ef migrations add {tenant-migration-name} -o Migrations/Tenants -c TenantDbContext -s ../AspNetCorePropertyPro.Api/AspNetCorePropertyPro.Api.csproj
dotnet ef database update -c GlobalDbContext -s ../AspNetCorePropertyPro.Api/AspNetCorePropertyPro.Api.csproj to run migration against the global context
-o = output directory.
-c = dbcontext to perform the migration if more than one exists.
-s = the path to the startup project.