ASP.NET Core實現OAuth2.0的ResourceOwnerPassword和ClientCredentials模式

来源:http://www.cnblogs.com/skig/archive/2016/11/18/6079457.html
-Advertisement-
Play Games

前言 開發授權服務框架一般使用OAuth2.0授權框架,而開發Webapi的授權更應該使用OAuth2.0授權標準,OAuth2.0授權框架文檔說明參考:https://tools.ietf.org/html/rfc6749 .NET Core開發OAuth2的項目需要使用IdentityServe ...


前言

開發授權服務框架一般使用OAuth2.0授權框架,而開發Webapi的授權更應該使用OAuth2.0授權標準,OAuth2.0授權框架文檔說明參考:https://tools.ietf.org/html/rfc6749

.NET Core開發OAuth2的項目需要使用IdentityServer4(現在還處於RC預發行版本),可參考:https://identityserver4.readthedocs.io/en/dev/

IdentityServer4源碼:https://github.com/IdentityServer

如果在.NET中開發OAuth2的項目可使用OWIN,可參考實例源碼:https://www.asp.net/aspnet/overview/owin-and-katana/owin-oauth-20-authorization-server

 

實現ResourceOwnerPassword和client credentials模式:

授權伺服器:

Program.cs --> Main方法中:需要調用UseUrls設置IdentityServer4授權服務的IP地址

1             var host = new WebHostBuilder()
2                 .UseKestrel()
3                 //IdentityServer4的使用需要配置UseUrls
4                 .UseUrls("http://localhost:4537")
5                 .UseContentRoot(Directory.GetCurrentDirectory())
6                 .UseIISIntegration()
7                 .UseStartup<Startup>()
8                 .Build();

 Startup.cs -->ConfigureServices方法中:

 1             //RSA:證書長度2048以上,否則拋異常
 2             //配置AccessToken的加密證書
 3             var rsa = new RSACryptoServiceProvider();
 4             //從配置文件獲取加密證書
 5             rsa.ImportCspBlob(Convert.FromBase64String(Configuration["SigningCredential"]));
 6             //IdentityServer4授權服務配置
 7             services.AddIdentityServer()
 8                 .AddSigningCredential(new RsaSecurityKey(rsa))    //設置加密證書
 9                 //.AddTemporarySigningCredential()    //測試的時候可使用臨時的證書
10                 .AddInMemoryScopes(OAuth2Config.GetScopes())
11                 .AddInMemoryClients(OAuth2Config.GetClients())
12                 //如果是client credentials模式那麼就不需要設置驗證User了
13                 .AddResourceOwnerValidator<MyUserValidator>() //User驗證介面
14                 //.AddInMemoryUsers(OAuth2Config.GetUsers())    //將固定的Users加入到記憶體中
15                 ;

Startup.cs --> Configure方法中:

1             //使用IdentityServer4的授權服務
2             app.UseIdentityServer();

Client配置

在Startup.cs中通過AddInMemoryClients(OAuth2Config.GetClients())設置到記憶體中,配置:

 1                 new Client
 2                 {
 3                     //client_id
 4                     ClientId = "pwd_client",
 5                     //AllowedGrantTypes = new string[] { GrantType.ClientCredentials }, //Client Credentials模式
 6                     AllowedGrantTypes = new string[] { GrantType.ResourceOwnerPassword },   //Resource Owner Password模式
 7                     //client_secret
 8                     ClientSecrets =
 9                     {
10                         new Secret("pwd_secret".Sha256())
11                     },
12                     //scope
13                     AllowedScopes =
14                     {
15                         "api1",
16                         //如果想帶有RefreshToken,那麼必須設置:StandardScopes.OfflineAccess
17                         //如果是Client Credentials模式不支持RefreshToken的,就不需要設置OfflineAccess
18                         StandardScopes.OfflineAccess.Name,
19                     },
20                     //AccessTokenLifetime = 3600, //AccessToken的過期時間, in seconds (defaults to 3600 seconds / 1 hour)
21                     //AbsoluteRefreshTokenLifetime = 60, //RefreshToken的最大過期時間,in seconds. Defaults to 2592000 seconds / 30 day
22                     //RefreshTokenUsage = TokenUsage.OneTimeOnly,   //預設狀態,RefreshToken只能使用一次,使用一次之後舊的就不能使用了,只能使用新的RefreshToken
23                     //RefreshTokenUsage = TokenUsage.ReUse,   //可重覆使用RefreshToken,RefreshToken,當然過期了就不能使用了
24                 }

Scope設置

在Startup.cs中通過AddInMemoryScopes(OAuth2Config.GetScopes())設置到記憶體中,配置:

 1         public static IEnumerable<Scope> GetScopes()
 2         {
 3             return new List<Scope>
 4             {
 5                 new Scope
 6                 {
 7                     Name = "api1",
 8                     Description = "My API",
 9                 },
10                 //如果想帶有RefreshToken,那麼必須設置:StandardScopes.OfflineAccess
11                 StandardScopes.OfflineAccess,
12             };
13         }

賬號密碼驗證

Resource Owner Password模式需要對賬號密碼進行驗證(如果是client credentials模式則不需要對賬號密碼驗證了):

方式一:將Users加入到記憶體中,IdentityServer4從中獲取對賬號和密碼進行驗證:

  .AddInMemoryUsers(OAuth2Config.GetUsers())    

方式二(推薦):實現IResourceOwnerPasswordValidator介面進行驗證:

  .AddResourceOwnerValidator<MyUserValidator>() 

IResourceOwnerPasswordValidator的實現:

 1     public class MyUserValidator : IResourceOwnerPasswordValidator
 2     {
 3         public Task ValidateAsync(ResourceOwnerPasswordValidationContext context)
 4         {
 5             if (context.UserName == "admin" && context.Password == "123")
 6             {
 7                 //驗證成功
 8                 //使用subject可用於在資源伺服器區分用戶身份等等
 9                 //獲取:資源伺服器通過User.Claims.Where(l => l.Type == "sub").FirstOrDefault();獲取
10                 context.Result = new GrantValidationResult(subject: "admin", authenticationMethod: "custom");
11             }
12             else
13             {
14                 //驗證失敗
15                 context.Result = new GrantValidationResult(TokenRequestErrors.InvalidGrant, "invalid custom credential");
16             }
17             return Task.FromResult(0);
18         }
19     }

設置加密證書

通過AddSigningCredential方法設置RSA的加密證書(註意:預設是使用臨時證書的,就是AddTemporarySigningCredential(),無論如何不應該使用臨時證書,因為每次重啟授權服務,就會重新生成新的臨時證書),RSA加密證書長度要2048以上,否則服務運行會拋異常

Startup.cs -->ConfigureServices方法中的配置:

1             //RSA:證書長度2048以上,否則拋異常
2             //配置AccessToken的加密證書
3             var rsa = new RSACryptoServiceProvider();
4             //從配置文件獲取加密證書
5             rsa.ImportCspBlob(Convert.FromBase64String(Configuration["SigningCredential"]));
6             services.AddIdentityServer()
7                 .AddSigningCredential(new RsaSecurityKey(rsa))    //設置加密證書

如何生成RSA加密證書(將生成的PrivateKey配置到IdentityServer4中,可以設置到配置文件中):

1             using (RSACryptoServiceProvider provider = new RSACryptoServiceProvider(2048))
2             {
3                 //Console.WriteLine(Convert.ToBase64String(provider.ExportCspBlob(false)));   //PublicKey
4                 Console.WriteLine(Convert.ToBase64String(provider.ExportCspBlob(true)));    //PrivateKey
5             }

 

資源伺服器

Program.cs -> Main方法中:

1             var host = new WebHostBuilder()
2                 .UseKestrel()
3                 //IdentityServer4的使用需要配置UseUrls
4                 .UseUrls("http://localhost:4823")
5                 .UseContentRoot(Directory.GetCurrentDirectory())
6                 .UseIISIntegration()
7                 .UseStartup<Startup>()
8                 .Build();

Startup.cs --> Configure方法中的配置:

            //使用IdentityServer4的資源服務並配置
            app.UseIdentityServerAuthentication(new IdentityServerAuthenticationOptions
            {
                Authority = "http://localhost:4537/",
                ScopeName = "api1",
                SaveToken = true,
                AdditionalScopes = new string[] { "offline_access" },  //添加額外的scope,offline_access為Refresh Token的獲取Scope
                RequireHttpsMetadata = false,
            });

需要進行授權驗證的資源介面(控制器或方法)上設置AuthorizeAttribute:

1     [Authorize]
2     [Route("api/[controller]")]
3     public class ValuesController : Controller

 

測試

resource owner password模式測試代碼:

 1         public static void TestResourceOwnerPassword()
 2         {
 3             var client = new HttpClientHepler("http://localhost:4537/connect/token");
 4             string accessToken = null, refreshToken = null;
 5             //獲取AccessToken
 6             client.PostAsync(null,
 7                 "grant_type=" + "password" +
 8                 "&username=" + "admin" +
 9                 "&password=" + "123" +
10                 "&client_id=" + "pwd_client" +
11                 "&client_secret=" + "pwd_secret" +
12                 "&scope=" + "api1 offline_access",  //scope需要用空格隔開,offline_access為獲取RefreshToken
13                 hd => hd.ContentType = new MediaTypeHeaderValue("application/x-www-form-urlencoded"),
14                 rtnVal => 
15                 {
16                     var jsonVal = JsonConvert.DeserializeObject<dynamic>(rtnVal);
17                     accessToken = jsonVal.access_token;
18                     refreshToken = jsonVal.refresh_token;
19                 },
20                 fault => Console.WriteLine(fault),
21                 ex => Console.WriteLine(ex)).Wait();
22 
23             if (!string.IsNullOrEmpty(refreshToken))
24             {
25                 //使用RefreshToken獲取新的AccessToken
26                 client.PostAsync(null,
27                     "grant_type=" + "refresh_token" +
28                     "&client_id=" + "pwd_client" +
29                     "&client_secret=" + "pwd_secret" +
30                     "&refresh_token=" + refreshToken,
31                     hd => hd.ContentType = new MediaTypeHeaderValue("application/x-www-form-urlencoded"),
32                     rtnVal => Console.WriteLine("refresh之後的結果: \r\n" + rtnVal),
33                     fault => Console.WriteLine(fault),
34                     ex => Console.WriteLine(ex)).Wait();
35             }
36 
37             if (!string.IsNullOrEmpty(accessToken))
38             {
39                 //訪問資源服務
40                 client.Url = "http://localhost:4823/api/values";
41                 client.GetAsync(null,
42                         hd => hd.Add("Authorization", "Bearer " + accessToken),
43                         rtnVal => Console.WriteLine("\r\n訪問資源服: \r\n" + rtnVal),
44                         fault => Console.WriteLine(fault),
45                         ex => Console.WriteLine(ex)).Wait(); 
46             }
47         }

client credentials模式測試代碼:

 1         public static void TestClientCredentials()
 2         {
 3             var client = new HttpClientHepler("http://localhost:4537/connect/token");
 4             string accessToken = null;
 5             //獲取AccessToken
 6             client.PostAsync(null,
 7                 "grant_type=" + "client_credentials" +
 8                 "&client_id=" + "credt_client" +
 9                 "&client_secret=" + "credt_secret" +
10                 "&scope=" + "api1",  //不要加上offline_access,因為Client Credentials模式不支持RefreshToken的,不然會授權失敗
11                 hd => hd.ContentType = new MediaTypeHeaderValue("application/x-www-form-urlencoded"),
12                 rtnVal =>
13                 {
14                     var jsonVal = JsonConvert.DeserializeObject<dynamic>(rtnVal);
15                     accessToken = jsonVal.access_token;
16                 },
17                 fault => Console.WriteLine(fault),
18                 ex => Console.WriteLine(ex)).Wait();
19 
20             if (!string.IsNullOrEmpty(accessToken))
21             {
22                 //訪問資源服務
23                 client.Url = "http://localhost:4823/api/values";
24                 client.GetAsync(null,
25                         hd => hd.Add("Authorization", "Bearer " + accessToken),
26                         rtnVal => Console.WriteLine("訪問資源服: \r\n" + rtnVal),
27                         fault => Console.WriteLine(fault),
28                         ex => Console.WriteLine(ex)).Wait();
29             }
30         }

 

註意

1.RefreshToken是存儲在記憶體中的,不像AccessToken通過授權伺服器設置的加密證書進行加密的,而是生成一個唯一碼存儲在授權服務的記憶體中的,因此授權伺服器重啟了那麼這些RefreshToken就消失了;

2.資源伺服器在第一次解析AccessToken的時候會先到授權伺服器獲取配置數據(例如會訪問:http://localhost:4537/.well-known/openid-configuration 獲取配置的,http://localhost:4537/.well-known/openid-configuration/jwks 獲取jwks)),之後解析AccessToken都會使用第一次獲取到的配置數據,因此如果授權服務的配置更改了(加密證書等等修改了),那麼應該重啟資源伺服器使之重新獲取新的配置數據;

3.調試IdentityServer4框架的時候應該配置好ILogger,因為授權過程中的訪問(例如授權失敗等等)信息都會調用ILogger進行日誌記錄,可使用NLog,例如:

  在Startup.cs --> Configure方法中配置:loggerFactory.AddNLog();//添加NLog

 

源碼:http://files.cnblogs.com/files/skig/OAuth2CredentialsAndPassword.zip

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • [1]準備工作 [2]創建數據表 [3]查看數據表 [4]記錄操作 [5]記錄約束 [6]列操作 [7]約束操作 [8]修改列 [9]數據表更名 ...
  • 今天微軟正式發佈上SQL Server 2016 SP1,根據以往的SP1定律,可以在生產環境上使用了。打了SP1的標準版將具有企業版幾乎所有的的功能。只有RAM 超過128GB或者超過24核心或者超過4路的環境才必須要安裝企業版。 還有一個重要的發佈: "SQL Server vNext on L ...
  • 在 InfluxDB學習 的上一篇文章:InfluxDB學習之InfluxDB的HTTP API寫入操作 中,我們介紹了使用InfluxDB的HTTP API進行數據寫入操作的過程,本文我們再來介紹下使用InfluxDB的HTTP API進行數據查詢操作的過程。更多InfluxDB詳細教程請看:In ...
  • Linunx svn的搭建與使。。。。。。。。純手打的。。 一、安裝前的準備 1.1 配置yum 庫 1)載入光碟 2)進入/etc/yum.repo.d目錄 3)複製“rhel-debuginfo.repo”為“my.repo” 4)修改my.repo文件 5)修改紅框標註部分 修改完畢保存退出: ...
  • 修改軟體更新源配置文件: leafpad /etc/apt/sources.list 將新的Kali源粘貼進去,同時將官方源用#號註釋掉。 再: apt-get update & apt-get upgrade apt-get dist-upgrade apt-... ...
  • 在Ubuntu支持中文後(方法見上篇文章),預設是UTF-8編碼,而Windows中文版預設是GBK編碼。為了一致性,通常要把Ubuntu的預設編碼改為GBK。當然你也可以不改,但這會導致我們在兩個系統之間共用文件變得非常不方便,Samba共用的文件也總會有亂碼出現。總不能每次傳完文件都人肉轉碼一次 ...
  • SVN,大家都熟悉,做項目都知道,不知道你有沒有遇到每次提交的代碼的時候,都會把bin和obj自動生成的文件夾提交SVN伺服器上 其實這裡都不需要提交,每次生成都提交,可能還會容易衝突,如何不讓bin和obj不提交呢? 選擇不要提交文件 這樣就OK,如果還不行,就刷新該文件夾目錄,如果還是不行,在操 ...
  • 使用 async & await 一步步將同步代碼轉換為非同步編程 【博主】反骨仔 【出處】http://www.cnblogs.com/liqingwen/p/6079707.html 序 上次,博主通過《利用 async & await 的非同步編程》一文介紹了 async & await 的基本用 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...