asp.net|asp.net core3.1cookie和jwt混合认证授权实现多种身份验证方案
目录
- 认证授权
- 身份认证
- 授权
- 默认授权
- 选择授权
- 总结
认证授权
身份验证是确定用户身份的过程。 授权是确定用户是否有权访问资源的过程。 在 ASP.NET Core 中,身份验证由 IAuthenticationService 负责,而它供身份验证中间件使用。 身份验证服务会使用已注册的身份验证处理程序来完成与身份验证相关的操作。
认证-->授权关于认证授权我们要区分认证和授权是两个概念,具体可查看MSDN官方文档也可以搜索其它文章看看,讲的很多。其中包括OAuth 2.0 以及jwt的相关知识都有很多资料并且讲解的很好。
身份认证
身份验证方案由 Startup.ConfigureServices 中的注册身份验证服务指定:
方式是在调用 services.AddAuthentication 后调用方案特定的扩展方法(例如 AddJwtBearer 或 AddCookie)。 这些扩展方法使用 AuthenticationBuilder.AddScheme 向适当的设置注册方案。
添加cookie JwtBearer验证方案
public void ConfigureServices(IServiceCollection services){services.AddSession(); services.AddMvc(o =>{o.Filters.Add(typeof(MyExceptionFilterAttribute)); // 全局异常Filter}).AddRazorRuntimeCompilation(); //添加身份认证方案var jwtConfig= Configuration.GetSection("Jwt").Get(); services.AddAuthentication(authoption =>{//指定默认选项authoption.DefaultChallengeScheme= CookieAuthenticationDefaults.AuthenticationScheme; authoption.DefaultAuthenticateScheme = CookieAuthenticationDefaults.AuthenticationScheme; authoption.DefaultSignOutScheme = CookieAuthenticationDefaults.AuthenticationScheme; authoption.DefaultSignInScheme= CookieAuthenticationDefaults.AuthenticationScheme; }).AddCookie(CookieAuthenticationDefaults.AuthenticationScheme, option =>{option.Cookie.Name = "adCookie"; //设置存储用户登录信息(用户Token信息)的Cookie名称option.Cookie.HttpOnly = true; //设置存储用户登录信息(用户Token信息)的Cookie,无法通过客户端浏览器脚本(如JavaScript等)访问到option.ExpireTimeSpan = TimeSpan.FromDays(3); // 过期时间option.SlidingExpiration = true; // 是否在过期时间过半的时候,自动延期option.LoginPath = "/Account/Login"; option.LogoutPath = "/Account/LoginOut"; }).AddJwtBearer(option =>{option.TokenValidationParameters = new TokenValidationParameters{ValidIssuer = jwtConfig.Issuer,ValidAudience = jwtConfig.Audience,ValidateIssuer = true,ValidateLifetime = jwtConfig.ValidateLifetime,IssuerSigningKey = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtConfig.SigningKey)),//缓冲过期时间,总的有效时间等于这个时间加上jwt的过期时间ClockSkew = TimeSpan.FromSeconds(0)}; }); }
JwtBearer认证的配置参数类JwtConfig
public class JwtConfig{/// /// 谁颁发的/// public string Issuer { get; set; }/// /// 颁发给谁/// public string Audience { get; set; }/// /// 令牌密码/// a secret that needs to be at least 16 characters long/// public string SigningKey { get; set; }/// /// 过期时间(分钟)/// public int Expires { get; set; }/// /// 是否校验过期时间/// public bool ValidateLifetime { get; set; }}
appsettings.json 配置参数
"Jwt": {"Issuer": "issuer","Audience": "audience","SigningKey": "c0d32c63-z43d-4917-bbc2-5e726d087452",//过期时间(分钟)"Expires": 10080,//是否验证过期时间"ValidateLifetime": true}
添加身份验证中间件
通过在应用的 IApplicationBuilder 上调用 UseAuthentication 扩展方法,在 Startup.Configure 中添加身份验证中间件。 如果调用 UseAuthentication,会注册使用之前注册的身份验证方案的中间节。 请在依赖于要进行身份验证的用户的所有中间件之前调用 UseAuthentication。 如果使用终结点路由,则必须按以下顺序调用 UseAuthentication:
- 在 UseRouting之后调用,以便路由信息可用于身份验证决策。
- 在 UseEndpoints 之前调用,以便用户在经过身份验证后才能访问终结点。
public void Configure(IApplicationBuilder app, IWebHostEnvironment env){if (env.IsDevelopment()){app.UseDeveloperExceptionPage(); }else{app.UseExceptionHandler("/Home/Error"); app.UseHsts(); }app.UseHttpsRedirection(); app.UseSession(); app.UseRouting(); //开启认证中间件app.UseAuthentication(); //开启授权中间件app.UseAuthorization(); app.UseEndpoints(endpoints =>{endpoints.MapControllerRoute(name: "areas",pattern: "{area:exists}/{controller=Home}/{action=Index}/{id?}"); endpoints.MapControllerRoute(name: "default",pattern: "{controller=Home}/{action=Index}/{id?}"); }); }
cookie认证
[HttpPost]public async TaskLoginIn(string userName, string userPassword, string code){AjaxResult objAjaxResult = new AjaxResult(); var user = _userBll.GetUser(userName, userPassword); if (user == null){objAjaxResult.Result = DoResult.NoAuthorization; objAjaxResult.PromptMsg = "用户名或密码错误"; }else{var claims = new List {new Claim("userName", userName),new Claim("userID",user.Id.ToString()),}; await HttpContext.SignInAsync(new ClaimsPrincipal(new ClaimsIdentity(claims,CookieAuthenticationDefaults.AuthenticationScheme))); objAjaxResult.Result = DoResult.Success; objAjaxResult.PromptMsg = "登录成功"; }return new NewtonsoftJsonResult(objAjaxResult); }
jwt认证
[HttpPost]public NewtonsoftJsonResult Token([FromBody] UserInfo model){AjaxResult objAjaxResult = new AjaxResult(); var user = _userBll.GetUser(model.UserName, model.Password); if (user == null){objAjaxResult.Result = DoResult.NoAuthorization; objAjaxResult.PromptMsg = "用户名或密码错误"; }else{//jwtTokenOptions 是通过配置获取上面配置的参数信息var jwtTokenOptions = BaseConfigModel.jwtConfig; var key = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(jwtTokenOptions.SigningKey)); var credentials = new SigningCredentials(key, SecurityAlgorithms.HmacSha256); //身份var claims = new List{new Claim("userID",user.Id.ToString()),new Claim("userName",user.UserName),}; //令牌var expires = DateTime.Now.AddMinutes(jwtTokenOptions.Expires); var token = new JwtSecurityToken(issuer: jwtTokenOptions.Issuer,audience: jwtTokenOptions.Audience,claims: claims,notBefore: DateTime.Now,expires: expires,signingCredentials: credentials); string jwtToken = new JwtSecurityTokenHandler().WriteToken(token); objAjaxResult.Result = DoResult.Success; objAjaxResult.RetValue = https://www.it610.com/article/new{token = jwtToken}; objAjaxResult.PromptMsg ="登录成功"; }return new NewtonsoftJsonResult(objAjaxResult); }
授权
在授权时,应用指示要使用的处理程序。 选择应用程序将通过以逗号分隔的身份验证方案列表传递到来授权的处理程序 [Authorize] 。 [Authorize]属性指定要使用的身份验证方案或方案,不管是否配置了默认。
默认授权
因为上面认证配置中我们使用cookie作为默认配置,所以前端对应的controller就不用指定验证方案,直接打上[Authorize]即可。
文章图片
选择授权
对于API接口我们使用Jwt授权,在Controller上打上指定方案。
[Authorize(AuthenticationSchemes = JwtBearerDefaults.AuthenticationScheme)]
【asp.net|asp.net core3.1cookie和jwt混合认证授权实现多种身份验证方案】
文章图片
总结
关于多种方案混合验证授权的流程:
1、配置认证方案(相关的配置参数可采用配置文件形式)。
2、添加授权验证中间件。
3、提供认证接口。
4、配置需要授权的接口授权方案。
到此这篇关于asp.net core3.1cookie和jwt混合认证授权实现多种身份验证方案的文章就介绍到这了,更多相关asp.net core cookie和jwt认证授权内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!
推荐阅读
- 急于表达——往往欲速则不达
- 第三节|第三节 快乐和幸福(12)
- 20170612时间和注意力开销记录
- 2.6|2.6 Photoshop操作步骤的撤消和重做 [Ps教程]
- 对称加密和非对称加密的区别
- 眼光要放高远
- 樱花雨
- 前任
- 2020-04-07vue中Axios的封装和API接口的管理
- 烦恼和幸福