欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

程序员文章站 2023-11-17 19:52:16
前言 OAuth 2.0默认四种授权模式(GrantType) 授权码模式(authorization_code) 简化模式(implicit) "密码模式( resource owner password credentials )" "客户端模式(client_credentials)" 本章主 ......

前言

oauth 2.0默认四种授权模式(granttype)

  • 授权码模式(authorization_code)
  • 简化模式(implicit)

本章主要介绍密码模式(resource owner password credentials),oauth2.0资源所有者密码授权功能允许客户端将用户名和密码发送到令牌服务,并获得该用户的访问令牌.

认证步骤:

  • 用户将用户名密码提供给客户端
  • 客户端再将用户名密码发送给授权服务器,请求令牌
  • 授权服务器确定判断信息是否有误,返回给客户端令牌

创建授权服务器

创建一个api项目工程,我这边以端口5000的形式进行后面的讲解.

package

pm> install-package identityserver4 -version 2.5.3

创建一个类config(配置要保护的资源,和可以访问的api的客户端服务器)

   public class config
    {
        /// <summary>
        ///     定义要保护的资源
        /// </summary>
        /// <returns></returns>
        public static ienumerable<apiresource> getapiresources() {
            return new list<apiresource>
            {
               new apiresource("api1","myapi")
            };
        }
        /// <summary>
        ///     定义授权客户端
        /// </summary>
        /// <returns></returns>
        public static ienumerable<client> getclients() {
            return new list<client>
            {
                new client(){ 
                    clientid="client",
                    allowedgranttypes=granttypes.resourceownerpassword,
                    clientsecrets=
                    {
                      new secret("secret".sha256())
                    },
                    allowedscopes={ "api1",identityserverconstants.standardscopes.offlineaccess //如果要获取refresh_tokens ,必须在scopes中加上offlineaccess
                    },
                    allowofflineaccess=true// 主要刷新refresh_token,
        
                }
            };
        }
    }

此处allowedgranttypes需要设置为resourceownerpassword(密码凭证).

配置startup

再走到configureservices方法注入identityserver4服务

   public void configureservices(iservicecollection services)
        {
            services.addmvc().setcompatibilityversion(compatibilityversion.version_2_2);
            services.addidentityserver()
                .adddevelopersigningcredential()
                .addinmemoryapiresources(config.getapiresources())
                .addinmemoryclients(config.getclients())
                .addresourceownervalidator<resourceownerpasswordvalidator>();//注入自定义登录验证

        }

identityserver4默认提供了两种证书加密配置
adddevelopersigningcredential addtemporarysigningcredential
添加内存apiresourceaddinmemoryapiresources
添加内存client addinmemoryclients
添加自定义登录验证addresourceownervalidator

自定义用户验证
    public class resourceownerpasswordvalidator : iresourceownerpasswordvalidator
    {
        public task validateasync(resourceownerpasswordvalidationcontext context)
        {
            if (context.username == "test" && context.password == "test")
            {
                context.result = new grantvalidationresult(
                 subject: context.username,
                 authenticationmethod: oidcconstants.authenticationmethods.password);
            }
            else
            {
                //验证失败
                context.result = new grantvalidationresult(
                    tokenrequesterrors.invalidgrant,
                    "invalid custom credential"
                    );
            }
            return task.fromresult(0);
        }
    }

在configure方法中添加identityserver4服务中间件

app.useidentityserver();

创建apiresource

创建一个客户端项目,这边我将端口设置为5001

package

pm> install-package identityserver4 -version 2.5.3

配置startup

在configureservices添加认证服务器地址

      public void configureservices(iservicecollection services)
        {
            services.addmvc().setcompatibilityversion(compatibilityversion.version_2_2);
            services.addauthentication("bearer")
              .addidentityserverauthentication(options =>
              {
                  options.authority = "http://localhost:5000";//授权服务器地址
                   options.requirehttpsmetadata = false;//不需要https    
                   options.apiname = "api1";
              });
        }

在configure方法中添加认证服务中间件

app.useauthentication();

run

在客户端程序values控制器上面增加[authorize]

直接访问资源服务器http://localhost:5001/api/values

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

code 401

启动授权服务器

发现端点可通过/.well-known/openid-configuration

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

获取token

这边我用postman进行测试

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

code 200

access_token我们获取到了,再拿着token通过postman请求资源程序,

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

code 200
成功了

refresh_token

获取请求授权接口后会返回access_token expires
_in 等内容,expires_in是有效期(s),当然我们可以自定义有效期,access_token失效后用户需要重新授权,client才能拿到新的access_token.但是有了refresh_token后,client检测到token失效后可以直接通过refresh_token向授权服务器申请新的token,当然refresh_token也是有有效期的。
absoluterefreshtokenlifetime的默认有效期为2592000秒/30天。slidingrefreshtokenlifetime的默认有效期为1296000秒/15天。

在认证服务器中我再scopes加上了offlineaccess
identityserverconstants.standardscopes.offlineaccess //如果要获取refresh_tokens ,必须在scopes中加上offlineaccess

获取refresh_token

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

通过refresh_token再去获取access_token

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

通过postman请求获取资源

asp.net core IdentityServer4 实现 resource owner password credentials(密码凭证)

概要

示例地址https://github.com/fhcodegit/identityserver4.samples