简介

微服务的系统应用中,网关系统使用的是ocelot,ocelot目前已经比较成熟了

ocelot就不做介绍了,等整体介绍完后再进行各类扩展介绍,ocelot源码地址:https://github.com/ThreeMammals/Ocelot

ocelot目前由很多功能组件组成,每个组件都可以根据自己的实际情况进行扩展(暂时不做过多介绍)

本文主要介绍ocelot网关使用中个人认为应该最先处理的东西

健康检查

在实际的应用中网关项目都会部署多台,然后通过nginx进行软负载,在更新部署网关项目的过程中服务肯定是无法使用,这个时候我们就需要利用nginx的健康检查机制进行控制

网关需要给nginx提供一个健康检查地址,ocelot使用的url path地址进行路由匹配,当匹配不到时会返回404,所以我们需要单独处理一个健康检查地址

Ocelot提供了一个中间件配置替换的方法OcelotPipelineConfiguration,我们对OcelotPipelineConfiguration的PreErrorResponderMiddleware中间件方法进行扩展,代码如下:

 var conf = new OcelotPipelineConfiguration()
{
PreErrorResponderMiddleware = async (ctx, next) =>
{
if (ctx.HttpContext.Request.Path.Equals(new PathString("/")))
{
await ctx.HttpContext.Response.WriteAsync("ok");
}
else
{
await next.Invoke();
}
}
};
app.UseOcelot(conf).Wait();

网关和路由配置

网关的配置包含四个部分,ReRoutes、DynamicReRoutes、Aggregates、GlobalConfiguration,

ocelot配置的获取默认是使用配置文件的方式,上面已经说了网关一般都会部署多台,使用文件配置还是存在一定弊端

ocelot的配置获取方法是IFileConfigurationRepository接口,所以如果我们实现了此接口就可以满足配置存储方式的扩展,目前已扩展mysql和redis,代码如下

redis:

 public class RedisFileConfigurationRepository: IFileConfigurationRepository
{
private readonly RedisClient _redisClient;
private readonly string _apiGatewayKey;
private readonly string _redisConnection; public RedisFileConfigurationRepository(RedisClient redisClient, string apiGatewayKey, string redisConnection)
{
_redisClient = redisClient;
_apiGatewayKey = apiGatewayKey;
_redisConnection = redisConnection;
} public async Task<Response<FileConfiguration>> Get()
{
var redis = _redisClient.GetDatabase(_redisConnection, ); var json = await redis.StringGetAsync($"ApiGatewayConfig:{_apiGatewayKey}"); if(json.IsNullOrEmpty)
return new OkResponse<FileConfiguration>(new FileConfiguration { }); var fileConfig = JsonConvert.DeserializeObject<FileConfiguration>(json); return new OkResponse<FileConfiguration>(fileConfig);
} public async Task<Response> Set(FileConfiguration fileConfiguration)
{
return await Task.FromResult(new OkResponse());
}
}

mysql:

 public class MySqlFileConfigurationRepository : IFileConfigurationRepository
{
private readonly IDbRepository<ConfigurationInfo> _configDbRepository;
private readonly IDbRepository<ReRouteInfo> _routeDbRepository;
private readonly string _apiGatewayKey; public MySqlFileConfigurationRepository(IDbRepository<ConfigurationInfo> configDbRepository, IDbRepository<ReRouteInfo> routeDbRepository, string apiGatewayKey)
{
_configDbRepository = configDbRepository;
_routeDbRepository = routeDbRepository;
_apiGatewayKey = apiGatewayKey;
} public async Task<Response<FileConfiguration>> Get()
{
var st = DateTime.Now;
var fileConfig = new FileConfiguration();
var configInfo = await _configDbRepository.GetFirstAsync(it => it.GatewayKey == _apiGatewayKey);
if (configInfo != null)
{
// config
var fgc = new FileGlobalConfiguration
{
BaseUrl = configInfo.BaseUrl,
DownstreamScheme = configInfo.DownstreamScheme,
RequestIdKey = configInfo.RequestIdKey,
};
if (!string.IsNullOrWhiteSpace(configInfo.HttpHandlerOptions))
fgc.HttpHandlerOptions = ToObject<FileHttpHandlerOptions>(configInfo.HttpHandlerOptions);
if (!string.IsNullOrWhiteSpace(configInfo.LoadBalancerOptions))
fgc.LoadBalancerOptions = ToObject<FileLoadBalancerOptions>(configInfo.LoadBalancerOptions);
if (!string.IsNullOrWhiteSpace(configInfo.QoSOptions))
fgc.QoSOptions = ToObject<FileQoSOptions>(configInfo.QoSOptions);
if (!string.IsNullOrWhiteSpace(configInfo.RateLimitOptions))
fgc.RateLimitOptions = ToObject<FileRateLimitOptions>(configInfo.RateLimitOptions);
if (!string.IsNullOrWhiteSpace(configInfo.ServiceDiscoveryProvider))
fgc.ServiceDiscoveryProvider = ToObject<FileServiceDiscoveryProvider>(configInfo.ServiceDiscoveryProvider);
fileConfig.GlobalConfiguration = fgc; // reroutes
var reRouteResult = await _routeDbRepository.GetListAsync(it => it.GatewayId == configInfo.GatewayId && it.State == );
if (reRouteResult.Count > )
{
var reroutelist = new List<FileReRoute>();
foreach (var model in reRouteResult)
{
var m = new FileReRoute()
{
UpstreamHost = model.UpstreamHost,
UpstreamPathTemplate = model.UpstreamPathTemplate, DownstreamPathTemplate = model.DownstreamPathTemplate,
DownstreamScheme = model.DownstreamScheme, ServiceName = model.ServiceName,
Priority = model.Priority,
RequestIdKey = model.RequestIdKey,
Key = model.Key,
Timeout = model.Timeout,
};
if (!string.IsNullOrWhiteSpace(model.UpstreamHttpMethod))
m.UpstreamHttpMethod = ToObject<List<string>>(model.UpstreamHttpMethod);
if (!string.IsNullOrWhiteSpace(model.DownstreamHostAndPorts))
m.DownstreamHostAndPorts = ToObject<List<FileHostAndPort>>(model.DownstreamHostAndPorts);
if (!string.IsNullOrWhiteSpace(model.SecurityOptions))
m.SecurityOptions = ToObject<FileSecurityOptions>(model.SecurityOptions);
if (!string.IsNullOrWhiteSpace(model.CacheOptions))
m.FileCacheOptions = ToObject<FileCacheOptions>(model.CacheOptions);
if (!string.IsNullOrWhiteSpace(model.HttpHandlerOptions))
m.HttpHandlerOptions = ToObject<FileHttpHandlerOptions>(model.HttpHandlerOptions);
if (!string.IsNullOrWhiteSpace(model.AuthenticationOptions))
m.AuthenticationOptions = ToObject<FileAuthenticationOptions>(model.AuthenticationOptions);
if (!string.IsNullOrWhiteSpace(model.RateLimitOptions))
m.RateLimitOptions = ToObject<FileRateLimitRule>(model.RateLimitOptions);
if (!string.IsNullOrWhiteSpace(model.LoadBalancerOptions))
m.LoadBalancerOptions = ToObject<FileLoadBalancerOptions>(model.LoadBalancerOptions);
if (!string.IsNullOrWhiteSpace(model.QoSOptions))
m.QoSOptions = ToObject<FileQoSOptions>(model.QoSOptions);
if (!string.IsNullOrWhiteSpace(model.DelegatingHandlers))
m.DelegatingHandlers = ToObject<List<string>>(model.DelegatingHandlers);
reroutelist.Add(m);
}
fileConfig.ReRoutes = reroutelist;
}
}
Console.WriteLine((DateTime.Now - st).TotalMilliseconds);
return new OkResponse<FileConfiguration>(fileConfig);
} public async Task<Response> Set(FileConfiguration fileConfiguration)
{
return await Task.FromResult(new OkResponse());
} /// <summary>
/// 将Json字符串转换为对象
/// </summary>
/// <param name="json">Json字符串</param>
private T ToObject<T>(string json)
{
if (string.IsNullOrWhiteSpace(json))
return default(T);
return JsonConvert.DeserializeObject<T>(json);
}
}

可以看到四项配置里并不是全部都进行可配置化,如果有需求可以自行增加字段实现

redis的存储是大json方式,而mysql是一条一条的,因为配置的管理是以mysql为主,然后同步到其他存储介质中的

网关配置的更新

有加载就有更新,在ocelot中配置的更新是使用自己的实现来完成配置的热更新,方式如下

1、配置文件方式是通过配置文件的IOptionsMonitor的OnChange方式重新加载配置信息

2、第三方存储方式是通过默认实现的FileConfigurationPoller方法定时(默认1s)取获取配置信息的

所以我们扩展的获取配置形式,在注册的时候要把FileConfigurationPoller HostedService一同注入进去,代码如下

 public static IOcelotBuilder AddConfigStoredInRedis(this IOcelotBuilder builder, string apiGatewayKey, string redisConnectionString)
{
builder.Services.AddSingleton<RedisClient>();
builder.Services.AddHostedService<FileConfigurationPoller>();
builder.Services.AddSingleton<IFileConfigurationRepository>(sp =>
{
return new RedisFileConfigurationRepository(sp.GetRequiredService<RedisClient>(), apiGatewayKey, redisConnectionString);
});
return builder;
}

其中涉及到Bucket.DbContext和Bucket.Redis组件很简单,也可自行实现

配置的管理

其实最开始的时候,使用的是consul存储配置,然后通过网关自带的配置接口进行配置的管理,但是在ocelot的一次升级的时候出现了一个问题(配置信息丢失),虽然当时修改了ocelot的源码解决了,后来还是决定扩展存储方式,所以上面的获取配置接口的set方法都不实现了

上面已经说了是已mysql进行配置存储然后同步到其他介质上,所以我们只要维护好mysql数据库就可以了

具体代码就不贴了,后续会进行具体介绍,管理项目地址:github地址,截几张管理图

【NET CORE微服务一条龙应用】第一章 网关使用与配置的更多相关文章

  1. 【NET CORE微服务一条龙应用】第三章 认证授权与动态权限配置

    介绍 系列目录:[NET CORE微服务一条龙应用]开始篇与目录 在微服务的应用中,统一的认证授权是必不可少的组件,本文将介绍微服务中网关和子服务如何使用统一的权限认证 主要介绍内容为: 1.子服务如 ...

  2. 【NET CORE微服务一条龙应用】第二章 配置中心使用

    背景 系列目录:[NET CORE微服务一条龙应用]开始篇与目录 在分布式或者微服务系统里,通过配置文件来管理配置内容,是一件比较令人痛苦的事情,再谨慎也有湿鞋的时候,这就是在项目架构发展的过程中,配 ...

  3. 【NET CORE微服务一条龙应用】应用部署

    简介 系列目录:[NET CORE微服务一条龙应用]开始篇与目录 本章主要介绍https://github.com/q315523275/FamilyBucket上微服务一条龙应用,在实际使用中的应用 ...

  4. 【NET CORE微服务一条龙应用】开始篇与目录

    简介 随着业务的发展和变更,项目原先的分布式框架应用业务发展已有些不适应,所以18年初开始准备使用微服务框架,当时正好看到了ocelot项目,特意翻看了源码,发现很灵活和易扩展 于是就开始了微服务的开 ...

  5. .NET Core微服务二:Ocelot API网关

    .NET Core微服务一:Consul服务中心 .NET Core微服务二:Ocelot API网关 .NET Core微服务三:polly熔断与降级 本文的项目代码,在文章结尾处可以下载. 本文使 ...

  6. 基于.NET CORE微服务框架 -谈谈surging API网关

    1.前言 对于最近surging更新的API 网关大家也有所关注,也收到了不少反馈提出是否能介绍下Api网关,那么我们将在此篇文章中剥析下surging的Api 网关 开源地址:https://git ...

  7. .NET Core微服务一:Consul服务中心

    本文的项目代码,在文章结尾处可以下载. 防爬虫,本文的网址是:https://www.cnblogs.com/shousiji/p/12253295.html 本文使用的环境:Windows10 64 ...

  8. .Net微服务实践(四)[网关]:Ocelot限流熔断、缓存以及负载均衡

    目录 限流 熔断 缓存 Header转化 HTTP方法转换 负载均衡 注入/重写中间件 后台管理 最后 在上篇.Net微服务实践(三)[网关]:Ocelot配置路由和请求聚合中我们介绍了Ocelot的 ...

  9. 基于.NET CORE微服务框架 -surging的介绍和简单示例 (开源)

    一.前言 至今为止编程开发已经11个年头,从 VB6.0,ASP时代到ASP.NET再到MVC, 从中见证了.NET技术发展,从无畏无知的懵懂少年,到现在的中年大叔,从中的酸甜苦辣也只有本人自知.随着 ...

随机推荐

  1. linux debian 9 / centos 7配置postgresSQL数据库

    #读者注意:本文可以选择不看解释,直接执行每段的0中的代码 (〇):一些概念(可以跳过直接使用(一)0的代码) 1. 客户端:psql.postgreSQL的命令行客户端程序,在终端输入psql进入p ...

  2. ----这是一个register code----

    这是一个register code,是需要用到<input>标签下的6个标签(?应该是标签喔) 然后附上代码 <html ><head><title>注 ...

  3. VBA找相似体积的单元格值

    在VBA中做了一个比较体积,如果体积相似就显示隔壁单元格的内容 Function VC(a, b As Range) 'VolumeCompare体积比较 Dim arry() As Variant ...

  4. oracle删除dbf导致的oracle工具不能正常使用

    1.使用cmd命令登录Oracle:sqlplus / as sysdba;就可以,中间两个空格.2.删除了dbf导致Oracle工具不能正常使用解决办法(oracle initialization ...

  5. mark 三年工作总结

    在新公司加班,正在看<HBase 权威指南>,看Michael Stack为本书写的序,介绍HBase最初的发展,Lars在HBase 使用和推广做出的贡献. 突然想到,我还有一篇工作三年 ...

  6. 2019.02.28 bzoj3527: [Zjoi2014]力(fft)

    传送门 fftfftfft菜题. 题意简述:给一个数列aia_iai​,对于i=1→ni=1\rightarrow ni=1→n求出ansi=∑i<jai(i−j)2−∑i>jai(i−j ...

  7. SSM_CRUD新手练习(8)搭建BootStrap分页页面

      经过Spring单元测试模拟请求,我们能够成功的取出数据,接下来,我们就开始写用来显示查询数据的分页页面吧. 我们使用Bootstrap来帮助我们快速开发漂亮的页面,具体怎么用可以查看Bootst ...

  8. jupyter Notebook环境搭建

    1.什么是jupyter notebook jupyter notebook是一种 Web 应用,能让用户将说明文本.数学方程.代码和可视化内容全部组合到一个易于共享的文档中.它可以直接在代码旁写出叙 ...

  9. git dev 分支merge到master

    code reviewer之后,需要把dev分支的代码merge到master分支.通过在azkaban的服务器上git pull,最终将代码上线. git dev 分支merge到master # ...

  10. CSS---伪类选择器

    伪类选择器的作用: 控制标签在不同状态下的样式. 标签的四种状态: link:没有访问过的状态: hover:鼠标经过的状态: active:鼠标激活(按下但没有松开)的状态: visited:已经被 ...