[转]Implementing User Authentication in ASP.NET MVC 6
本文转自:http://www.dotnetcurry.com/aspnet-mvc/1229/user-authentication-aspnet-mvc-6-identity
In this article we will be implementing User Authentication in an ASP.NET MVC 6 application. Just like MVC 5, we have an Authentication Action Filter in MVC 6.
The following diagram gives an idea of Authentication when the end-user makes a call to an MVC 6 application.
Download an ASP.NET MVC CMS - Free Trial

When the end-user makes a call to an MVC 6 application requesting a View, a response in the form of a View is returned when the action is executed. However if the Controller or the Action is applied with the Authorize attribute, then the request processing on the server sends the Login Page response to the client. Once the end-user sends the request with credentials, the Authentication Filter is executed which is responsible for validating Credentials against the Database server where the application users are stored. If the credentials are validated, then the Users will be Logged In and response of the View will be sent back to the user.
Implementing Authentication in ASP.NET MVC
To implement this application, we will be using Visual Studio 2015 Community Edition and ASP.NET 5 RC1. ASP.NET 5 RC 1 can be downloaded from this link.
Step 1: Open Visual Studio 2015 and create a new ASP.NET application of name ASPNET5_Auth as shown in the following Image

Click on OK and from the next window select ASP.NET Empty application from ASP.NET 5 templates as shown in the following image

Step 2: We need to add the following dependencies for using MVC, Identity, EntityFramework, etc. as shown here:
| "dependencies": {    "EntityFramework.Commands": "7.0.0-rc1-final",    "EntityFramework.MicrosoftSqlServer": "7.0.0-rc1-final",    "Microsoft.AspNet.Identity": "3.0.0-rc1-final",    "Microsoft.AspNet.Identity.EntityFramework": "3.0.0-rc1-final",    "Microsoft.AspNet.IISPlatformHandler": "1.0.0-rc1-final",    "Microsoft.AspNet.Mvc": "6.0.0-rc1-final",    "Microsoft.AspNet.Server.Kestrel": "1.0.0-rc1-final",    "Microsoft.Framework.ConfigurationModel.Json": "1.0.0-beta4",    "Microsoft.AspNet.Authentication.Cookies": "1.0.0-rc1-final",    "Microsoft.AspNet.Mvc.TagHelpers": "6.0.0-rc1-final",    "Microsoft.AspNet.StaticFiles": "1.0.0-rc1-final",    "Microsoft.Extensions.CodeGenerators.Mvc": "1.0.0-rc1-final",    "Microsoft.AspNet.Tooling.Razor": "1.0.0-rc1-final"  },  "commands": {    "web": "Microsoft.AspNet.Server.Kestrel",    "ef": "EntityFramework.Commands"  } | 
The above dependencies will add necessary assemblies in the project.
Step 3: Since we need to store the Application users information in a SQL Server database, open Sql Server and create database of the name Security.
Step 4: In the project, add a new ASP.NET Configuration file, this will add appSettings.json file in the project. In this file add the following connection string
| {    "Data": {        "DefaultConnection": {            "ConnectionString": "Server=.;Database=Security;                                    Trusted_Connection=True;"        }    }} | 
Step 5: In the project add Models, Views and Controllers folder. In the Models folder add the following class files.
Register.cs
| usingSystem.ComponentModel.DataAnnotations;namespaceASPNET5_Auth.Models{    publicclassRegister    {        [Required]        [EmailAddress]        [Display(Name = "Email")]        publicstringEmail { get; set; }        [Required]        [StringLength(100, ErrorMessage = "The {0} must be at least {2} characters long.", MinimumLength = 6)]        [DataType(DataType.Password)]        [Display(Name = "Password")]        publicstringPassword { get; set; }        [DataType(DataType.Password)]        [Display(Name = "Confirm password")]        [Compare("Password", ErrorMessage = "The password and confirmation password do not match.")]        publicstringConfirmPassword { get; set; }    }} | 
The above class contains properties for registering new user.
Login.cs
| usingSystem.ComponentModel.DataAnnotations;namespaceASPNET5_Auth.Models{    publicclassLogin    {        [Required]        [EmailAddress]        publicstringEmail { get; set; }        [Required]        [DataType(DataType.Password)]        publicstringPassword { get; set; }    }} | 
The above class contains properties for User Login.
ApplicationUser.cs
| usingMicrosoft.AspNet.Identity.EntityFramework;namespaceASPNET5_Auth.Models{    publicclassApplicationUser :IdentityUser    {    }} | 
The above class is IdentityUser. This is used to manage application users. This class is used to store application user name based on unique email.
AppDbContext.cs
| usingMicrosoft.AspNet.Identity.EntityFramework;usingMicrosoft.Data.Entity;namespaceASPNET5_Auth.Models{    publicclassAppDbContext : IdentityDbContext<ApplicationUser>    {        protectedoverridevoidOnModelCreating(ModelBuilder builder)        {            base.OnModelCreating(builder);        }    }} | 
The above class uses the Connection string to connect to database server and generate tables for storing the application user information in it. The IdentityDbContext<T> class uses EntityFramework to connect to database server.
ModelClasses.cs
| usingSystem.Collections.Generic;namespaceASPNET5_Auth.Models{    publicclassPerson    {        publicintPersonId { get; set; }        publicstringPersonName { get; set; }    }    publicclassPersonDatabase : List<Person>    {        publicPersonDatabase()        {            Add(newPerson() { PersonId=1,PersonName="MS"});            Add(newPerson() { PersonId = 2, PersonName = "SA"});            Add(newPerson() { PersonId = 3, PersonName = "VP"});        }    }} | 
The above code is used to define Person entity class and the PersonDatabase class for storing person data.
Step 6: To generate the tables for storing Application users, right-click on the project name and select the Open Folder in File Explorer option. This will open the Explorer window. Right-click on any folder in the explorer window with ctrl+shift > and select option Open Command Window from Here. This will open the command prompt. Run following commands from the command prompt
| dnu restorednvm use 1.0.0-rc1-final-pdnx ef migrations add Initialdnx ef database update | 
Details for this commands can be read from this link.
This will add the following tables in Sql Server Security database

The command also adds Migration folder in the project containing AppDbContextModelSnapshot class. This contains logic for DB migration. The Initial class contains logic for Creating table using the Migration Command.
Step 7: In the Controllers folder, add a new item of type MVC Controller class of name AccountController. In this class, add the following code
| usingSystem.Threading.Tasks;usingMicrosoft.AspNet.Mvc;usingMicrosoft.AspNet.Authorization;usingASPNET5_Auth.Models;usingMicrosoft.AspNet.Identity; namespaceASPNET5_Auth.Controllers{    publicclassAccountController : Controller    {        //1        privatereadonlyUserManager<ApplicationUser> _securityManager;        privatereadonlySignInManager<ApplicationUser> _loginManager;        //2        publicAccountController(UserManager<ApplicationUser> secMgr, SignInManager<ApplicationUser> loginManager)        {            _securityManager = secMgr;            _loginManager = loginManager;        }        //3        [HttpGet]        [AllowAnonymous]        publicIActionResult Register()        {            returnView();        }        //4         [HttpPost]        [AllowAnonymous]        [ValidateAntiForgeryToken]        publicasync Task<IActionResult> Register(Register model)        {            if(ModelState.IsValid)            {                var user = newApplicationUser                {                    UserName = model.Email,                    Email = model.Email                };                var result = await _securityManager.CreateAsync(user, model.Password);                if(result.Succeeded)                {                    await _loginManager.SignInAsync(user, isPersistent: false);                    returnRedirectToAction(nameof(HomeController.Index), "Home");                }            }                        returnView(model);        }        //5        [HttpGet]        [AllowAnonymous]        publicIActionResult Login(stringreturnUrl = null)        {            ViewData["ReturnUrl"] = returnUrl;            returnView();        }        //6        [HttpPost]        [AllowAnonymous]        [ValidateAntiForgeryToken]        publicasync Task<IActionResult> Login(Login model, stringreturnUrl = null)        {            ViewData["ReturnUrl"] = returnUrl;            if(ModelState.IsValid)            {                var result = await _loginManager.PasswordSignInAsync(model.Email, model.Password, false, lockoutOnFailure: false);                if(result.Succeeded)                {                    returnRedirectToReturnUrl(returnUrl);                }            }                         returnView(model);        }        //7        [HttpPost]        [ValidateAntiForgeryToken]        publicasync Task<IActionResult> LogOff()        {            await _loginManager.SignOutAsync();                        returnRedirectToAction(nameof(HomeController.Index), "Home");        }        //8        privateIActionResult RedirectToReturnUrl(stringreturnUrl)        {            if(Url.IsLocalUrl(returnUrl))            {                returnRedirect(returnUrl);            }            else            {                returnRedirectToAction(nameof(HomeController.Index), "Home");            }        }    }} | 
This above code has the following specifications:
1. It declares objects of UserManager<T> and SignInManager<T> classes. The UserManager<T> is used to manage users from the persistent store i.e. database and the SignInManager<T> class is used to manager APIs for user Sign In. The T here is the ApplicationUser class which contains user information.
2. The constructor of the controller class is injected with the UserManager and SignInManager dependencies. These dependencies will be registered in future steps.
3. Step for responding with the Register view.
4. HttpPost Register method which accepts the Register model object. This method will create an application method by using CreateAsync() method of the SignInManager class. If the user is registered successfully then the user will be signed using SignAsync() method of the UserManager class.
5. The HttpGet Login() method which responds with a Login View.
6. The Login() HttpPost method is used for the model containing the Email and password. If the Login is successful, then it will redirect to the page from which the request for Login initiated.
7. The LogOff () method.
8. A private method to redirect to the url from where the login request initiated.
Step 8: In the Controllers folder, add the following new controllers
PersonController.cs
| usingMicrosoft.AspNet.Mvc;usingASPNET5_Auth.Models;usingMicrosoft.AspNet.Authorization;namespaceASPNET5_Auth.Controllers{    [Authorize]    publicclassPersonController : Controller    {        // GET: /<controller>/        publicIActionResult Index()        {            var persons = newPersonDatabase();            returnView(persons);        }    }} | 
The above controller contains the Index method to return Person Collection.
HomeController.cs
| usingMicrosoft.AspNet.Mvc;namespaceASPNET5_Auth.Controllers{    publicclassHomeController : Controller    {        // GET: /<controller>/        publicIActionResult Index()        {            returnView();        }    }} | 
The Home Controllers contains Index method.
Step 9: Since we need to use Bootstrap styles in the project for view, in the Project add Bower.json and add the following dependencies in it
| "dependencies": {    "jQuery": "2.1.4",    "bootstrap": "3.3.6"  } | 
This will install jQuery and Bower dependencies in the wwwroot section of the project.
Step 10: In the View folder, Add Shared folder. In this folder, using Add New Item, add the MVC View Layout Page. This will be _Layout.cshtml page. Add the following Markup and script references in it:
| <!DOCTYPE html><html><head>    <metaname="viewport"content="width=device-width"/>    <linkrel="stylesheet"href="~/lib/bootstrap/dist/css/bootstrap.min.css"/>    <title>@ViewBag.Title</title></head><body>    <divclass="navbar-collapse collapse"><ulclass="nav navbar-nav">             <li><atarget="_blank"rel="nofollow">Home</a></li>             <li><atarget="_blank"rel="nofollow">Person</a></li>             <li><atarget="_blank"rel="nofollow">Register</a></li>             <li><atarget="_blank"rel="nofollow">Login</a></li>         </ul></div>    <div>@RenderBody()</div>    <ahref="http://~/lib/jQuery/dist/jquery.js"target="_blank"rel="nofollow">http://~/lib/jQuery/dist/jquery.js</a>    <ahref="http://~/lib/bootstrap/dist/js/bootstrap.js"target="_blank"rel="nofollow">http://~/lib/bootstrap/dist/js/bootstrap.js</a></body></html> | 
We have links for Home, Register, Login, Person controllers.
Step 11: In the Views folder, using add new item, add MVC View Imports Page and in this page add the following imports
| @usingMicrosoft.AspNet.Identity@addTagHelper "*, Microsoft.AspNet.Mvc.TagHelpers" | 
This will be used to activate tag helpers from the MVC Views. This will be used in Model binding.
Step 12: In the Views folder, add a new folder of the name Person. In this folder add a new MVC View using add new item. This will add Index.cshtml. Add the following markup in the view:
| @model IEnumerable<ASPNET5_Auth.Models.Person>@{    Layout = "_Layout";    ViewData["Title"] = "Index";}<h2>Index</h2> <tableclass="table">    <tr>        <th>            @Html.DisplayNameFor(model => model.PersonId)        </th>        <th>            @Html.DisplayNameFor(model => model.PersonName)        </th>    </tr>    @foreach (var item in Model)    {        <tr>            <td>                @Html.DisplayFor(modelItem => item.PersonId)            </td>            <td>                @Html.DisplayFor(modelItem => item.PersonName)            </td>                    </tr>    }</table> | 
Add the Home folder, in the View folder with the Index.cshtml view with markup as per your need.
In the Views folder, add a new MVC View of name Register.cshtml with the following markup code:
| @model ASPNET5_Auth.Models.Register@{    Layout = "_Layout";    ViewData["Title"] = "Register";}<h2>@ViewData["Title"].</h2><formasp-controller="Account"asp-action="Register"method="post"class="form-horizontal"role="form">    <h4>Create a new account.</h4>    <hr/>    <divclass="text-danger"> </div>    <divclass="form-group"><divclass="col-md-10"> </div>     </div>     <divclass="form-group"><divclass="col-md-10"> </div>     </div>     <divclass="form-group"><divclass="col-md-10"> </div>     </div>     <divclass="form-group"><divclass="col-md-offset-2 col-md-10">Register</div>     </div> </form></div></div></div></div> | 
This view contains Textboxes for accepting user registration information. This view uses new MVC 6 tags like asp-controller, asp-action, asp-for etc. These tags will be processed by Microsoft.AspNet.Mvc.TagHelpers.
The same folder will contain Login.cshtml with the following code:
| @model ASPNET5_Auth.Models.Login @{    Layout = "_Layout";    ViewData["Title"] = "Log in";}<divclass="row"><divclass="col-md-8"><section>                              <h4>Use a local account to log in.</h4>                 <hr>                 <divclass="text-danger"> </div>                 <divclass="form-group"><divclass="col-md-10"> </div>                 </div>                 <divclass="form-group"><divclass="col-md-10"> </div>                 </div>                                   <divclass="form-group"><divclass="col-md-offset-2 col-md-10">Log in</div>                 </div>                 <p>                     <aasp-action="Register">Register as a new user?</a>                 </p>                            </form>         </section>     </div>      </div></div></div></div></section></div></div> | 
All above steps completes the application design. Now we need to complete the Identity registration.
Identity Registration
Step 13: In Startup.cs, add the following code:
Add References in the Class
| usingMicrosoft.AspNet.Builder;usingMicrosoft.AspNet.Hosting;usingMicrosoft.Extensions.DependencyInjection;usingASPNET5_Auth.Models;usingMicrosoft.Data.Entity;usingMicrosoft.AspNet.Identity.EntityFramework;usingMicrosoft.Extensions.Configuration; | 
The Constructor
| publicStartup(IHostingEnvironment env){    var builder = newConfigurationBuilder()        .AddJsonFile("appsettings.json")        .AddJsonFile($"appsettings.{env.EnvironmentName}.json", optional: true);    builder.AddEnvironmentVariables();    Configuration = builder.Build();} | 
The above code loads and reads json files in the project.
The rest of the code
| publicIConfigurationRoot Configuration { get; set; }// This method gets called by the runtime. Use this method to add services to the container.// For more information on how to configure your application, visit http://go.microsoft.com/fwlink/?LinkID=398940publicvoidConfigureServices(IServiceCollection services){    services.AddEntityFramework()      .AddSqlServer()      .AddDbContext<AppDbContext>(options =>          options.UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]));    services.AddIdentity<ApplicationUser, IdentityRole>()        .AddEntityFrameworkStores<AppDbContext>()        .AddDefaultTokenProviders();    services.AddMvc();}// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.publicvoidConfigure(IApplicationBuilder app){    app.UseIISPlatformHandler();    app.UseStaticFiles();    app.UseIdentity();    // To configure external authentication please see http://go.microsoft.com/fwlink/?LinkID=532715    app.UseMvc(routes =>    {        routes.MapRoute(            name: "default",            template: "{controller=Home}/{action=Index}/{id?}");    });} | 
ConfigureServices() does dependency injection for EntityFramework based on the connection string and the Identity based on the Application User and IdentityRole. This method also adds the MVC service. The Configure() method defines the use of Identity, using UseIdentity() method and defines the routing for MVC using UseMvc() method. UseStaticFiles() method will be used to read the CSS and jQuery files in application.
Run the application. The home page will be displayed as shown in the following image

Click on the Person link, this will redirect to the Login page as shown in the following image

Click on Register as a new user link to show the register page as shown in the following image

Create a new user, once the registration is successful the Person view will be displayed as shown in the following image

Conclusion:
ASP.NET MVC 6 provides an easy approach for implementing Authentication. Using Microsoft.AspNet.Identity, we can create users and roles for the application and integrate them with controllers.
Download the entire source code of this article (Github)
Share on Facebook
Share on Twitter
Share on Google+
-->
Custom Model Binder in ASP.NET MVC
Using MongoDB with Web API and ASP.NET Core
Action Method Selector in ASP.NET MVC
Access same Action Method by Multiple Roles in ASP.NET MVC using Configuration File
Creating Tag Helpers in ASP.NET MVC 6 / ASP.NET Core 1.0

[转]Implementing User Authentication in ASP.NET MVC 6的更多相关文章
- Forms Authentication in ASP.NET MVC 4
		原文:Forms Authentication in ASP.NET MVC 4 Contents: Introduction Implement a custom membership provid ... 
- Implementing HTTPS Everywhere in ASP.Net MVC application.
		Implementing HTTPS Everywhere in ASP.Net MVC application. HTTPS everywhere is a common theme of the ... 
- Active Directory Authentication in ASP.NET MVC 5 with Forms Authentication and Group-Based Authorization
		I know that blog post title is sure a mouth-full, but it describes the whole problem I was trying to ... 
- Demystifying ASP.NET MVC 5 Error Pages and Error Logging
		出处:http://dusted.codes/demystifying-aspnet-mvc-5-error-pages-and-error-logging Error pages and error ... 
- 【记录】ASP.NET MVC 4/5 Authentication 身份验证无效
		在 ASP.NET MVC 4/5 应用程序发布的时候,遇到一个问题,在本应用程序中进行身份验证是可以,但不能和其他"二级域名"共享,在其他应用程序身份验证,不能和本应用程序共享, ... 
- ASP.NET MVC 5 Authentication Breakdown
		In my previous post, "ASP.NET MVC 5 Authentication Breakdown", I broke down all the parts ... 
- ASP.NET MVC:Form Authentication 相关的学习资源
		看完此图就懂了 看完下面文章必须精通 Form authentication and authorization in ASP.NET Explained: Forms Authentication ... 
- 【ASP.NET MVC 5】第27章 Web API与单页应用程序
		注:<精通ASP.NET MVC 3框架>受到了出版社和广大读者的充分肯定,这让本人深感欣慰.目前该书的第4版不日即将出版,现在又已开始第5版的翻译,这里先贴出该书的最后一章译稿,仅供大家 ... 
- 【转】ASP.NET MVC 的最佳实践
		[This post is based on a document authored by Ben Grover (a senior developer at Microsoft). It is ou ... 
随机推荐
- [转] Draw Call未被批处理?告诉你在Unity 5.6中如何查找原因 [复制链接]
			Unity在5.6之前的版本中并未提供很直接的方式来查找Draw Call未被批处理的原因,但Unity 5.6在Frame Debugger中新增了一项功能,帮助开发者查找相关信息.今天这篇文章就为 ... 
- slowhttptest安装及使用
			slowhttptest简介: Slowhttptest是依赖HTTP协议的慢速攻击DoS攻击工具,设计的基本原理是服务器在请求完全接收后才会进行处理,如果客户端的发送速度缓慢或者发送不完整,服务端为 ... 
- Jmeter_使用IE代理录制脚本
			因为项目登录的密码需要RSA加密,选用了jmeter作为压测工具: 就自己本次项目,顺便学习Jmeter,做一个简单的记录,本文主要介绍使用IE代理录制脚本: 自己也尝试过使用Badboy录制,还是喜 ... 
- Django 使用第三方服务发送电子邮件
			在 Django 网站中使用 mailgun 的邮件收发服务. 1.在 mailgun 官网上注册个账号(免费,免费账号每个月有10000条收发邮件的服务,对我来说已经完全够用了),注册完成后界面如图 ... 
- [Swift]八大排序算法(三):选择排序 和 简单选择排序
			排序分为内部排序和外部排序. 内部排序:是指待排序列完全存放在内存中所进行的排序过程,适合不太大的元素序列. 外部排序:指的是大文件的排序,即待排序的记录存储在外存储器上,待排序的文件无法一次装入内存 ... 
- Cygwin apt-cyg ”MD5 sum did not match”
			直接编辑apt-cyg 文件,找到md5sum,替换修改成sha512sum. # check the md5 digest=`cat "desc" | awk '/^instal ... 
- BUAA_OO_电梯系列
			电梯作业 第一次作业和第二次作业 由于我第一次作业给傻瓜电梯写了捎带所以第一次第二次作业差不多 电梯运行一个线程Elevator,输入控制一个线程Call 一个物理电梯控制表可以完成移动和进出人功能, ... 
- 使用Jenkins进行Android自动打包,自定义版本号等信息【转】
			之前App在提交测试和最终部署的过程中App打包一直是由开发人员来完成的,由于项目比较大, 再加上Android打包本身就比较慢,所以每次打包还是很耗时的.并且按照严格的研发流程来讲,开发人员应该只负 ... 
- IntelliJ IDEA(Android Studio)设置代码的快捷编辑模板Live Templates
			1.file---->setttings 2.editor--->live template 3.点击右侧的+ 4.设置模板 注意:Abbreviation为代码模板的缩写. 
- clustalX2使用以及相关的问题
			Clustalx的操作 第一步:输入序列文件. 第二步:设定比对的一些参数. 参数设定窗口. 第三步:开始序列比对. 第四步:比对完成,选择保存结果文件的格式 相关问题 CLUSTALX-是CLUST ... 
