【.NET Core项目实战-统一认证平台】第四章 网关篇-数据库存储配置(2)
【.NET Core項目實戰-統一認證平臺】開篇及目錄索引
上篇文章我們介紹了如何擴展Ocelot網關,并實現數據庫存儲,然后測試了網關的路由功能,一切都是那么順利,但是有一個問題未解決,就是如果網關配置信息發生變更時如何生效?以及我使用其他數據庫存儲如何快速實現?本篇就這兩個問題展開講解,用到的文檔及源碼將會在GitHub上開源,每篇的源代碼我將用分支的方式管理,本篇使用的分支為course2。
附文檔及源碼下載地址:[https://github.com/jinyancao/CtrAuthPlatform/tree/course2]
一、實現動態更新路由
上一篇我們實現了網關的配置信息從數據庫中提取,項目發布時可以把我們已有的網關配置都設置好并啟動,但是正式項目運行時,網關配置信息隨時都有可能發生變更,那如何在不影響項目使用的基礎上來更新配置信息呢?這篇我將介紹2種方式來實現網關的動態更新,一是后臺服務定期提取最新的網關配置信息更新網關配置,二是網關對外提供安全接口,由我們需要更新時,調用此接口進行更新,下面就這兩種方式,我們來看下如何實現。
1、定時服務方式
網關的靈活性是設計時必須考慮的,實現定時服務的方式我們需要配置是否開啟和更新周期,所以我們需要擴展配置類AhphOcelotConfiguration,增加是否啟用服務和更新周期2個字段。
namespace Ctr.AhphOcelot.Configuration {/// <summary>/// 金焰的世界/// 2018-11-11/// 自定義配置信息/// </summary>public class AhphOcelotConfiguration{/// <summary>/// 數據庫連接字符串,使用不同數據庫時自行修改,默認實現了SQLSERVER/// </summary>public string DbConnectionStrings { get; set; }/// <summary>/// 金焰的世界/// 2018-11-12/// 是否啟用定時器,默認不啟動/// </summary>public bool EnableTimer { get; set; } = false;/// <summary>/// 金焰的世界/// 2018-11.12/// 定時器周期,單位(毫秒),默認30分鐘自動更新一次/// </summary>public int TimerDelay { get; set; } = 30*60*1000;} }配置文件定義完成,那如何完成后臺任務隨著項目啟動而一起啟動呢?IHostedService接口了解一下,我們可以通過實現這個接口,來完成我們后臺任務,然后通過Ioc容器注入即可。
新建DbConfigurationPoller類,實現IHostedService接口,詳細代碼如下。
using Microsoft.Extensions.Hosting; using Ocelot.Configuration.Creator; using Ocelot.Configuration.Repository; using Ocelot.Logging; using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading; using System.Threading.Tasks;namespace Ctr.AhphOcelot.Configuration {/// <summary>/// 金焰的世界/// 2018-11-12/// 數據庫配置信息更新策略/// </summary>public class DbConfigurationPoller : IHostedService, IDisposable{private readonly IOcelotLogger _logger;private readonly IFileConfigurationRepository _repo;private readonly AhphOcelotConfiguration _option;private Timer _timer;private bool _polling;private readonly IInternalConfigurationRepository _internalConfigRepo;private readonly IInternalConfigurationCreator _internalConfigCreator;public DbConfigurationPoller(IOcelotLoggerFactory factory,IFileConfigurationRepository repo,IInternalConfigurationRepository internalConfigRepo,IInternalConfigurationCreator internalConfigCreator, AhphOcelotConfiguration option){_internalConfigRepo = internalConfigRepo;_internalConfigCreator = internalConfigCreator;_logger = factory.CreateLogger<DbConfigurationPoller>();_repo = repo;_option = option;}public void Dispose(){_timer?.Dispose();}public Task StartAsync(CancellationToken cancellationToken){if (_option.EnableTimer){//判斷是否啟用自動更新_logger.LogInformation($"{nameof(DbConfigurationPoller)} is starting.");_timer = new Timer(async x =>{if (_polling){return;}_polling = true;await Poll();_polling = false;}, null, _option.TimerDelay, _option.TimerDelay);}return Task.CompletedTask;}public Task StopAsync(CancellationToken cancellationToken){if (_option.EnableTimer){//判斷是否啟用自動更新_logger.LogInformation($"{nameof(DbConfigurationPoller)} is stopping.");_timer?.Change(Timeout.Infinite, 0);}return Task.CompletedTask;}private async Task Poll(){_logger.LogInformation("Started polling");var fileConfig = await _repo.Get();if (fileConfig.IsError){_logger.LogWarning($"error geting file config, errors are {string.Join(",", fileConfig.Errors.Select(x => x.Message))}");return;}else{var config = await _internalConfigCreator.Create(fileConfig.Data);if (!config.IsError){_internalConfigRepo.AddOrReplace(config.Data);}}_logger.LogInformation("Finished polling");}} }項目代碼很清晰,就是項目啟動時,判斷配置文件是否開啟定時任務,如果開啟就根據啟動定時任務去從數據庫中提取最新的配置信息,然后更新到內部配置并生效,停止時關閉并釋放定時器,然后再注冊后臺服務。
//注冊后端服務 builder.Services.AddHostedService<DbConfigurationPoller>();現在我們啟動網關項目和測試服務項目,配置網關啟用定時器,代碼如下。
public void ConfigureServices(IServiceCollection services) {services.AddOcelot().AddAhphOcelot(option=>{option.DbConnectionStrings = "Server=.;Database=Ctr_AuthPlatform;User ID=sa;Password=bl123456;";option.EnableTimer = true; //啟用定時任務option.TimerDelay = 10*000;//周期10秒}); }啟動后使用網關地址訪問http://localhost:7777/ctr/values,可以得到正確地址。
然后我們在數據庫執行網關路由修改命令,等10秒后再刷新頁面,發現原來的路由失效,新的路由成功。
UPDATE AhphReRoute SET UpstreamPathTemplate='/cjy/values' where ReRouteId=1看到這個結果是不是很激動,只要稍微改造下我們的網關項目就實現了網關配置信息的自動更新功能,剩下的就是根據我們項目后臺管理界面配置好具體的網關信息即可。
2、接口更新的方式
對于良好的網關設計,我們應該是可以隨時控制網關啟用哪種配置信息,這時我們就需要把網關的更新以接口的形式對外進行暴露,然后后臺管理界面在我們配置好網關相關信息后,主動發起配置更新,并記錄操作日志。
我們再回顧下Ocelot源碼,看是否幫我們實現了這個接口,查找法Ctrl+F搜索看有哪些地方注入了IFileConfigurationRepository這個接口,驚喜的發現有個FileConfigurationController控制器已經實現了網關配置信息預覽和更新的相關方法,查看源碼可以發現代碼很簡單,跟我們之前寫的更新方式一模一樣,那我們如何使用這個方法呢?
using System; using System.Threading.Tasks; using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Mvc; using Ocelot.Configuration.File; using Ocelot.Configuration.Setter;namespace Ocelot.Configuration {using Repository;[Authorize][Route("configuration")]public class FileConfigurationController : Controller{private readonly IFileConfigurationRepository _repo;private readonly IFileConfigurationSetter _setter;private readonly IServiceProvider _provider;public FileConfigurationController(IFileConfigurationRepository repo, IFileConfigurationSetter setter, IServiceProvider provider){_repo = repo;_setter = setter;_provider = provider;}[HttpGet]public async Task<IActionResult> Get(){var response = await _repo.Get();if(response.IsError){return new BadRequestObjectResult(response.Errors);}return new OkObjectResult(response.Data);}[HttpPost]public async Task<IActionResult> Post([FromBody]FileConfiguration fileConfiguration){try{var response = await _setter.Set(fileConfiguration);if (response.IsError){return new BadRequestObjectResult(response.Errors);}return new OkObjectResult(fileConfiguration);}catch(Exception e){return new BadRequestObjectResult($"{e.Message}:{e.StackTrace}");}}} }從源碼中可以發現控制器中增加了授權訪問,防止非法請求來修改網關配置,Ocelot源碼經過升級后,把不同的功能進行模塊化,進一步增強項目的可配置性,減少冗余,管理源碼被移到了Ocelot.Administration里,詳細的源碼也就5個文件組成,代碼比較簡單,就不單獨講解了,就是配置管理接口地址,并使用IdentityServcer4進行認證,正好也符合我們我們項目的技術路線,為了把網關配置接口和網關使用接口區分,我們需要配置不同的Scope進行區分,由于本篇使用的IdentityServer4會在后續篇幅有完整介紹,本篇就直接列出實現代碼,不做詳細的介紹。現在開始改造我們的網關代碼,來集成后臺管理接口,然后測試通過授權接口更改配置信息且立即生效。
public void ConfigureServices(IServiceCollection services) {Action<IdentityServerAuthenticationOptions> options = o =>{o.Authority = "http://localhost:6611"; //IdentityServer地址o.RequireHttpsMetadata = false;o.ApiName = "gateway_admin"; //網關管理的名稱,對應的為客戶端授權的scope};services.AddOcelot().AddAhphOcelot(option =>{option.DbConnectionStrings = "Server=.;Database=Ctr_AuthPlatform;User ID=sa;Password=bl123456;";//option.EnableTimer = true;//啟用定時任務//option.TimerDelay = 10 * 000;//周期10秒}).AddAdministration("/CtrOcelot", options); }注意,由于Ocelot.Administration擴展使用的是OcelotMiddlewareConfigurationDelegate中間件配置委托,所以我們擴展中間件AhphOcelotMiddlewareExtensions需要增加擴展代碼來應用此委托。
private static async Task<IInternalConfiguration> CreateConfiguration(IApplicationBuilder builder) {//提取文件配置信息var fileConfig = await builder.ApplicationServices.GetService<IFileConfigurationRepository>().Get();var internalConfigCreator = builder.ApplicationServices.GetService<IInternalConfigurationCreator>();var internalConfig = await internalConfigCreator.Create(fileConfig.Data);//如果配置文件錯誤直接拋出異常if (internalConfig.IsError){ThrowToStopOcelotStarting(internalConfig);}//配置信息緩存,這塊需要注意實現方式,因為后期我們需要改造下滿足分布式架構,這篇不做講解var internalConfigRepo = builder.ApplicationServices.GetService<IInternalConfigurationRepository>();internalConfigRepo.AddOrReplace(internalConfig.Data);//獲取中間件配置委托(2018-11-12新增)var configurations = builder.ApplicationServices.GetServices<OcelotMiddlewareConfigurationDelegate>();foreach (var configuration in configurations){await configuration(builder);}return GetOcelotConfigAndReturn(internalConfigRepo); }新建IdeitityServer認證服務,并配置服務端口6666,并添加二個測試客戶端,一個設置訪問scope為gateway_admin,另外一個設置為其他,來分別測試認證效果。
using System; using System.Collections.Generic; using System.Linq; using System.Threading.Tasks; using IdentityServer4.Models; using Microsoft.AspNetCore.Builder; using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Http; using Microsoft.AspNetCore.Mvc; using Microsoft.Extensions.Configuration; using Microsoft.Extensions.DependencyInjection;namespace Ctr.AuthPlatform.TestIds4 {public class Startup{public Startup(IConfiguration configuration){Configuration = configuration;}public IConfiguration Configuration { get; }// This method gets called by the runtime. Use this method to add services to the container.public void ConfigureServices(IServiceCollection services){services.AddIdentityServer().AddDeveloperSigningCredential().AddInMemoryApiResources(Config.GetApiResources()).AddInMemoryClients(Config.GetClients());}// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.public void Configure(IApplicationBuilder app, IHostingEnvironment env){if (env.IsDevelopment()){app.UseDeveloperExceptionPage();}app.UseIdentityServer();}}public class Config{// scopes define the API resources in your systempublic static IEnumerable<ApiResource> GetApiResources(){return new List<ApiResource>{new ApiResource("api1", "My API"),new ApiResource("gateway_admin", "My admin API")};}// clients want to access resources (aka scopes)public static IEnumerable<Client> GetClients(){// client credentials clientreturn new List<Client>{new Client{ClientId = "client1",AllowedGrantTypes = GrantTypes.ClientCredentials,ClientSecrets ={new Secret("secret1".Sha256())},AllowedScopes = { "api1" }},new Client{ClientId = "client2",AllowedGrantTypes = GrantTypes.ClientCredentials,ClientSecrets ={new Secret("secret2".Sha256())},AllowedScopes = { "gateway_admin" }}};}} }配置好認證服務器后,我們使用PostMan來測試接口調用,首先使用有權限的client2客戶端,獲取access_token,然后使用此access_token訪問網關配置接口。
訪問http://localhost:7777/CtrOcelot/configuration可以得到我們數據庫配置的結果。
我們再使用POST的方式修改配置信息,使用PostMan測試如下,請求后返回狀態200(成功),然后測試修改前和修改后路由地址,發現立即生效,可以分別訪問http://localhost:7777/cjy/values和http://localhost:7777/cjy/values驗證即可。然后使用client1獲取access_token,請求配置地址,提示401未授權,為預期結果,達到我們最終目的。
到此,我們網關就實現了2個方式更新配置信息,大家可以根據實際項目的情況從中選擇適合自己的一種方式使用即可。
二、實現其他數據庫擴展(以MySql為例)
我們實際項目應用過程中,經常會根據不同的項目類型選擇不同的數據庫,這時網關也要配合項目需求來適應不同數據庫的切換,本節就以mysql為例講解下我們的擴展網關怎么實現數據庫的切換及應用,如果有其他數據庫使用需求可以根據本節內容進行擴展。
在【.NET Core項目實戰-統一認證平臺】第三章 網關篇-數據庫存儲配置信息(1)中介紹了網關的數據庫初步設計,里面有我的設計的概念模型,現在使用mysql數據庫,直接生成mysql的物理模型,然后生成數據庫腳本,詳細的生成方式請見上一篇,一秒搞定。是不是有點小激動,原來可以這么方便。
新建MySqlFileConfigurationRepository實現IFileConfigurationRepository接口,需要NuGet中添加MySql.Data.EntityFrameworkCore。
using Ctr.AhphOcelot.Configuration; using Ctr.AhphOcelot.Model; using Dapper; using MySql.Data.MySqlClient; using Ocelot.Configuration.File; using Ocelot.Configuration.Repository; using Ocelot.Responses; using System; using System.Collections.Generic; using System.Text; using System.Threading.Tasks;namespace Ctr.AhphOcelot.DataBase.MySql {/// <summary>/// 金焰的世界/// 2018-11-12/// 使用MySql來實現配置文件倉儲接口/// </summary>public class MySqlFileConfigurationRepository : IFileConfigurationRepository{private readonly AhphOcelotConfiguration _option;public MySqlFileConfigurationRepository(AhphOcelotConfiguration option){_option = option;}/// <summary>/// 從數據庫中獲取配置信息/// </summary>/// <returns></returns>public async Task<Response<FileConfiguration>> Get(){#region 提取配置信息var file = new FileConfiguration();//提取默認啟用的路由配置信息string glbsql = "select * from AhphGlobalConfiguration where IsDefault=1 and InfoStatus=1";//提取全局配置信息using (var connection = new MySqlConnection(_option.DbConnectionStrings)){var result = await connection.QueryFirstOrDefaultAsync<AhphGlobalConfiguration>(glbsql);if (result != null){var glb = new FileGlobalConfiguration();//賦值全局信息glb.BaseUrl = result.BaseUrl;glb.DownstreamScheme = result.DownstreamScheme;glb.RequestIdKey = result.RequestIdKey;if (!String.IsNullOrEmpty(result.HttpHandlerOptions)){glb.HttpHandlerOptions = result.HttpHandlerOptions.ToObject<FileHttpHandlerOptions>();}if (!String.IsNullOrEmpty(result.LoadBalancerOptions)){glb.LoadBalancerOptions = result.LoadBalancerOptions.ToObject<FileLoadBalancerOptions>();}if (!String.IsNullOrEmpty(result.QoSOptions)){glb.QoSOptions = result.QoSOptions.ToObject<FileQoSOptions>();}if (!String.IsNullOrEmpty(result.ServiceDiscoveryProvider)){glb.ServiceDiscoveryProvider = result.ServiceDiscoveryProvider.ToObject<FileServiceDiscoveryProvider>();}file.GlobalConfiguration = glb;//提取所有路由信息string routesql = "select T2.* from AhphConfigReRoutes T1 inner join AhphReRoute T2 on T1.ReRouteId=T2.ReRouteId where AhphId=@AhphId and InfoStatus=1";var routeresult = (await connection.QueryAsync<AhphReRoute>(routesql, new { result.AhphId }))?.AsList();if (routeresult != null && routeresult.Count > 0){var reroutelist = new List<FileReRoute>();foreach (var model in routeresult){var m = new FileReRoute();if (!String.IsNullOrEmpty(model.AuthenticationOptions)){m.AuthenticationOptions = model.AuthenticationOptions.ToObject<FileAuthenticationOptions>();}if (!String.IsNullOrEmpty(model.CacheOptions)){m.FileCacheOptions = model.CacheOptions.ToObject<FileCacheOptions>();}if (!String.IsNullOrEmpty(model.DelegatingHandlers)){m.DelegatingHandlers = model.DelegatingHandlers.ToObject<List<string>>();}if (!String.IsNullOrEmpty(model.LoadBalancerOptions)){m.LoadBalancerOptions = model.LoadBalancerOptions.ToObject<FileLoadBalancerOptions>();}if (!String.IsNullOrEmpty(model.QoSOptions)){m.QoSOptions = model.QoSOptions.ToObject<FileQoSOptions>();}if (!String.IsNullOrEmpty(model.DownstreamHostAndPorts)){m.DownstreamHostAndPorts = model.DownstreamHostAndPorts.ToObject<List<FileHostAndPort>>();}//開始賦值m.DownstreamPathTemplate = model.DownstreamPathTemplate;m.DownstreamScheme = model.DownstreamScheme;m.Key = model.RequestIdKey;m.Priority = model.Priority ?? 0;m.RequestIdKey = model.RequestIdKey;m.ServiceName = model.ServiceName;m.UpstreamHost = model.UpstreamHost;m.UpstreamHttpMethod = model.UpstreamHttpMethod?.ToObject<List<string>>();m.UpstreamPathTemplate = model.UpstreamPathTemplate;reroutelist.Add(m);}file.ReRoutes = reroutelist;}}else{throw new Exception("未監測到任何可用的配置信息");}}#endregionif (file.ReRoutes == null || file.ReRoutes.Count == 0){return new OkResponse<FileConfiguration>(null);}return new OkResponse<FileConfiguration>(file);}//由于數據庫存儲可不實現Set接口直接返回public async Task<Response> Set(FileConfiguration fileConfiguration){return new OkResponse();}} }實現代碼后如何擴展到我們的網關里呢?只需要在注入時增加一個擴展即可。在ServiceCollectionExtensions類中增加如下代碼。
/// <summary> /// 擴展使用Mysql存儲。 /// </summary> /// <param name="builder"></param> /// <returns></returns> public static IOcelotBuilder UseMySql(this IOcelotBuilder builder) {builder.Services.AddSingleton<IFileConfigurationRepository, MySqlFileConfigurationRepository>();return builder; }然后修改網關注入代碼。
public void ConfigureServices(IServiceCollection services) {Action<IdentityServerAuthenticationOptions> options = o =>{o.Authority = "http://localhost:6611"; //IdentityServer地址o.RequireHttpsMetadata = false;o.ApiName = "gateway_admin"; //網關管理的名稱,對應的為客戶端授權的scope};services.AddOcelot().AddAhphOcelot(option =>{option.DbConnectionStrings = "Server=localhost;Database=Ctr_AuthPlatform;User ID=root;Password=bl123456;";//option.EnableTimer = true;//啟用定時任務//option.TimerDelay = 10 * 000;//周期10秒}).UseMySql().AddAdministration("/CtrOcelot", options); }最后把mysql數據庫插入sqlserver一樣的路由測試信息,然后啟動測試,可以得到我們預期的結果。為了方便大家測試,附mysql插入測試數據腳本如下。
#插入全局測試信息 insert into AhphGlobalConfiguration(GatewayName,RequestIdKey,IsDefault,InfoStatus) values('測試網關','test_gateway',1,1);#插入路由分類測試信息 insert into AhphReRoutesItem(ItemName,InfoStatus) values('測試分類',1);#插入路由測試信息 insert into AhphReRoute values(1,1,'/ctr/values','[ "GET" ]','','http','/api/Values','[{"Host": "localhost","Port": 9000 }]','','','','','','','',0,1);#插入網關關聯表 insert into AhphConfigReRoutes values(1,1,1);如果想擴展其他數據庫實現,直接參照此源碼即可。
三、回顧與預告
本篇我們介紹了2種動態更新配置文件的方法,實現訪問不同,各有利弊,正式使用時可以就實際情況選擇即可,都能達到我們的預期目標,也介紹了Ocelot擴展組件的使用和IdentityServer4的基礎入門信息。然后又擴展了我們mysql數據庫的存儲方式,增加到了我們網關的擴展里,隨時可以根據項目實際情況進行切換。
網關的存儲篇已經全部介紹完畢,有興趣的同學可以在此基礎上繼續拓展其他需求,下一篇我們將介紹使用redis來重寫Ocelot里的所有緩存,為我們后續的網關應用打下基礎。
posted on 2018-11-20 22:55 NET未來之路 閱讀(...) 評論(...) 編輯 收藏轉載于:https://www.cnblogs.com/lonelyxmas/p/9992367.html
總結
以上是生活随笔為你收集整理的【.NET Core项目实战-统一认证平台】第四章 网关篇-数据库存储配置(2)的全部內容,希望文章能夠幫你解決所遇到的問題。
- 上一篇: python os模块的学习
- 下一篇: 使用python的Flask实现一个RE