我正在尝试从头开始构建一个简单的登录系统,使用 ASP.NET MVC v5、Entity Framework v7 和 Identity v3 的代码优先方法。我在 ASP.NET MVC 应用程序之后使用 Visual Studio 附带的个人用户登录模板对我的应用程序进行建模。
我想要的只是让用户创建一个帐户,并将该帐户保存在数据库中。
这是我到目前为止的代码:
启动.cs:
public class Startup
{
public IConfigurationRoot Configuration { get; set; }
public Startup()
{
var builder = new ConfigurationBuilder()
.AddJsonFile("appsettings.json");
builder.AddEnvironmentVariables();
Configuration = builder.Build();
}
public void ConfigureServices(IServiceCollection services)
{
services.AddEntityFramework()
.AddSqlServer()
.AddDbContext<ApplicationDbContext>(options => options.UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]));
services.AddIdentity<ApplicationUser, IdentityRole>()
.AddEntityFrameworkStores<ApplicationDbContext>()
.AddDefaultTokenProviders();
services.AddMvc();
}
public void Configure(IApplicationBuilder app)
{
app.UseIISPlatformHandler(options => options.AuthenticationDescriptions.Clear());
app.UseStaticFiles();
app.UseIdentity();
app.UseMvc(routes =>
{
routes.MapRoute(
name: "default",
template: "{controller=Home}/{action=Index}/{id?}");
});
}
public static void Main(string[] args) => WebApplication.Run<Startup>(args);
}
appsettings.json包含用于连接数据库的代码:
"Data": {
"DefaultConnection": {
"ConnectionString": "Server=(localdb)\\mssqllocaldb;Database=SimpleAuthenticationApp;Trusted_Connection=True;MultipleActiveResultSets=true"
}
}
这是Controllers/AccountController.cs中注册 POST 操作的代码:
[HttpPost]
public async Task<IActionResult> Register (RegisterViewModel model)
{
try
{
var user = new ApplicationUser { UserName = model.Email };
IdentityResult result = await _userManager.CreateAsync(user, model.Password);
Console.WriteLine(result);
return View("Home", "Index");
}
catch (Exception ex)
{
Console.WriteLine(ex);
return View();
}
}
在此代码中,RegisterViewModel
它只是一个 ViewModel,其中包含 Email、Password 和 ConfirmPassword 字段。Account/Register视图只是一个要求这些字段的表单。ApplicationUser
是一个扩展自 的类IdentityUser
。
在 POST 路由中,我在 try 块处设置了断点,当它进入 catch 块时,异常读取“Invalid object name AspNetUsers”。
在我在这个应用程序中创建第一个用户之前,没有数据库。我注册了一个新用户,应用程序将我带到一个错误页面,显示“为 ApplicationDbContext 应用现有迁移可能会解决此问题”,并带有一个应用迁移的按钮。当我点击按钮时,数据库就创建好了。我注意到,当我使用用户应用程序运行默认 MVC 时,有一个包含00000000000000_CreateIdentitySchema.cs和ApplicationDbContextModelSnapshot.cs的Migrations文件夹,看起来它们包含用于创建带有所需表的数据库的设置。我尝试在我的应用程序中使用这些文件,但没有任何区别。
我的问题:
身份/实体框架如何创建包含用户信息表的数据库?在创建应用程序的数据库之前我需要“应用迁移”似乎很奇怪。
我可以在自己的应用程序中做些什么来让简单的用户登录正常工作?欢迎使用其他方法或框架。