使用自定义DelegatingHandler编写更整洁的Typed HttpClient

使用自定义DelegatingHandler编写更整洁的Typed HttpClient

简介

我写了很多HttpClient[1],包括类型化的客户端。自从我发现Refit[2]以来,我只使用了那一个,所以我只编写了很少的代码!但是我想到了你!你们中的某些人不一定会使用Refit,[3]因此,我将为您提供一些技巧,以使用HttpClient消息处理程序[4](尤其是DelegatingHandlers)[5]编写具有最大可重用性的类型化HttpClient[6]

编写类型化的HttpClient来转发JWT并记录错误

这是要整理的HttpClient[7]

using DemoRefit.Models;
using DemoRefit.Repositories;
using Microsoft.AspNetCore.Authentication;
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Logging;
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Threading.Tasks;namespace DemoRefit.HttpClients
{public class CountryRepositoryClient : ICountryRepositoryClient{private readonly HttpClient _client;private readonly IHttpContextAccessor _httpContextAccessor;private readonly ILogger<CountryRepositoryClient> _logger;public CountryRepositoryClient(HttpClient client, ILogger<CountryRepositoryClient> logger, IHttpContextAccessor httpContextAccessor){_client = client;_logger = logger;_httpContextAccessor = httpContextAccessor;}public async Task<IEnumerable<Country>> GetAsync(){try{string accessToken = await _httpContextAccessor.HttpContext.GetTokenAsync("access_token");if (string.IsNullOrEmpty(accessToken)){throw new Exception("Access token is missing");}_client.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("bearer", accessToken);var headers = _httpContextAccessor.HttpContext.Request.Headers;if (headers.ContainsKey("X-Correlation-ID") && !string.IsNullOrEmpty(headers["X-Correlation-ID"])){_client.DefaultRequestHeaders.Add("X-Correlation-ID", headers["X-Correlation-ID"].ToString());}using (HttpResponseMessage response = await _client.GetAsync("/api/democrud")){response.EnsureSuccessStatusCode();return await response.Content.ReadAsAsync<IEnumerable<Country>>();}}catch (Exception e){_logger.LogError(e, "Failed to run http query");return null;}}}
}

这里有许多事情需要清理,因为它们在您将在同一应用程序中编写的每个客户端中可能都是多余的:

•从HttpContext读取访问令牌•令牌为空时,管理访问令牌•将访问令牌附加到HttpClient[8]进行委派•从HttpContext读取CorrelationId•将CorrelationId附加到HttpClient[9]进行委托•使用EnsureSuccessStatusCode()验证Http查询是否成功

编写自定义的DelegatingHandler来处理冗余代码

这是DelegatingHandler[10]

using Microsoft.AspNetCore.Authentication;
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Logging;
using System;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Threading;
using System.Threading.Tasks;namespace DemoRefit.Handlers
{public class MyDelegatingHandler : DelegatingHandler{private readonly IHttpContextAccessor _httpContextAccessor;private readonly ILogger<MyDelegatingHandler> _logger;public MyDelegatingHandler(IHttpContextAccessor httpContextAccessor, ILogger<MyDelegatingHandler> logger){_httpContextAccessor = httpContextAccessor;_logger = logger;}protected override async Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken cancellationToken){HttpResponseMessage httpResponseMessage;try{string accessToken = await _httpContextAccessor.HttpContext.GetTokenAsync("access_token");if (string.IsNullOrEmpty(accessToken)){throw new Exception($"Access token is missing for the request {request.RequestUri}");}request.Headers.Authorization = new AuthenticationHeaderValue("bearer", accessToken);var headers = _httpContextAccessor.HttpContext.Request.Headers;if (headers.ContainsKey("X-Correlation-ID") && !string.IsNullOrEmpty(headers["X-Correlation-ID"])){request.Headers.Add("X-Correlation-ID", headers["X-Correlation-ID"].ToString());}httpResponseMessage = await base.SendAsync(request, cancellationToken);httpResponseMessage.EnsureSuccessStatusCode();}catch (Exception ex){_logger.LogError(ex, "Failed to run http query {RequestUri}", request.RequestUri);throw;}return httpResponseMessage;}}
}

如您所见,现在它封装了用于同一应用程序中每个HttpClient[11]的冗余逻辑 。

现在,清理后的HttpClient[12]如下所示:

using DemoRefit.Models;
using DemoRefit.Repositories;
using Microsoft.Extensions.Logging;
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Threading.Tasks;namespace DemoRefit.HttpClients
{public class CountryRepositoryClientV2 : ICountryRepositoryClient{private readonly HttpClient _client;private readonly ILogger<CountryRepositoryClient> _logger;public CountryRepositoryClientV2(HttpClient client, ILogger<CountryRepositoryClient> logger){_client = client;_logger = logger;}public async Task<IEnumerable<Country>> GetAsync(){using (HttpResponseMessage response = await _client.GetAsync("/api/democrud")){try{return await response.Content.ReadAsAsync<IEnumerable<Country>>();}catch (Exception e){_logger.LogError(e, "Failed to read content");return null;}}}}
}

好多了不是吗?????

最后,让我们将DelegatingHandler[13]附加到Startup.cs中的HttpClient[14]

using DemoRefit.Handlers;
using DemoRefit.HttpClients;
using DemoRefit.Repositories;
using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using Refit;
using System;namespace DemoRefit
{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.AddHttpContextAccessor();services.AddControllers();services.AddHttpClient<ICountryRepositoryClient, CountryRepositoryClientV2>().ConfigureHttpClient(c => c.BaseAddress = new Uri(Configuration.GetSection("Apis:CountryApi:Url").Value)).AddHttpMessageHandler<MyDelegatingHandler>();}// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.public void Configure(IApplicationBuilder app, IWebHostEnvironment env){if (env.IsDevelopment()){app.UseDeveloperExceptionPage();}app.UseHttpsRedirection();app.UseRouting();app.UseAuthorization();app.UseEndpoints(endpoints =>{endpoints.MapControllers();});}}
}

使用Refit

如果您正在使用Refit[15],则绝对可以重用该DelegatingHandler[16]

例:

using DemoRefit.Handlers;
using DemoRefit.HttpClients;
using DemoRefit.Repositories;
using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using Refit;
using System;namespace DemoRefit
{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.AddHttpContextAccessor();services.AddControllers();services.AddRefitClient<ICountryRepositoryClient>().ConfigureHttpClient(c => c.BaseAddress = new Uri(Configuration.GetSection("Apis:CountryApi:Url").Value));.AddHttpMessageHandler<MyDelegatingHandler>();}// This method gets called by the runtime. Use this method to configure the HTTP request pipeline.public void Configure(IApplicationBuilder app, IWebHostEnvironment env){if (env.IsDevelopment()){app.UseDeveloperExceptionPage();}app.UseHttpsRedirection();app.UseRouting();app.UseAuthorization();app.UseEndpoints(endpoints =>{endpoints.MapControllers();});}}
}

轮子介绍:

Refit是一个深受Square的 Retrofit 库启发的库,目前在github上共有star 4000枚,通过这个框架,可以把你的REST API变成了一个活的接口:

public interface IGitHubApi
{[Get("/users/{user}")]Task<User> GetUser(string user);
}

RestService类生成一个IGitHubApi的实现,它使用HttpClient进行调用:

var gitHubApi = RestService.For<IGitHubApi>("https://api.github.com");var octocat = await gitHubApi.GetUser("octocat");

查看更多:https://reactiveui.github.io/refit/

References

[1] HttpClient: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.httpclient?view=netcore-3.0
[2] Refit: https://github.com/reactiveui/refit
[3] Refit,: https://github.com/reactiveui/refit
[4] HttpClient消息处理程序: https://docs.microsoft.com/en-us/aspnet/web-api/overview/advanced/httpclient-message-handlers
[5] DelegatingHandlers): https://docs.microsoft.com/en-us/dotnet/api/system.net.http.delegatinghandler?view=netframework-4.8
[6] 类型化HttpClient: https://docs.microsoft.com/en-us/dotnet/architecture/microservices/implement-resilient-applications/use-httpclientfactory-to-implement-resilient-http-requests
[7] 键入的HttpClient: https://docs.microsoft.com/en-us/dotnet/architecture/microservices/implement-resilient-applications/use-httpclientfactory-to-implement-resilient-http-requests
[8] HttpClient: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.httpclient?view=netcore-3.0
[9] HttpClient: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.httpclient?view=netcore-3.0
[10] DelegatingHandler: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.delegatinghandler?view=netframework-4.8
[11] HttpClient: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.httpclient?view=netcore-3.0
[12] HttpClient: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.httpclient?view=netcore-3.0
[13] DelegatingHandler: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.delegatinghandler?view=netframework-4.8
[14] HttpClient: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.httpclient?view=netcore-3.0
[15] Refit: https://github.com/reactiveui/refit
[16] DelegatingHandler: https://docs.microsoft.com/en-us/dotnet/api/system.net.http.delegatinghandler?view=netframework-4.8

 

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/309686.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

操作系统知识点总结+最终版

1、测试题要搞明白 点击可得测试题详解 2、操作系统的四个基本特征&#xff0c;基本功能 操作系统的目标:方便性、有效性、可扩充性、开放性。 操作系统的四大基本特征&#xff1a;1、并发2、共享3、虚拟4、异步&#xff1b; 操作系统的五大功能分别是处理器管理、存储器管理…

如何看云服务器性能,从存储速度看云服务器性能测试

阿 贝云提供免 费云服务器、免 费云虚拟主机&#xff0c;大家有兴趣的可以看看&#xff0c;物超所值喔。衡量存储性能一般看吞吐量(传输速度)和IOPS两个指标。吞吐量主要指大文件的连续读写速度&#xff0c;在大文件的复制、备份等场景适用&#xff0c;用“HD Tune专业版”中的…

操作系统复习题

一、填空题 1&#xff0e;通常所说操作系统的四大模块是指处理机管理、存储管理、设备管理、文件 管理。 2&#xff0e;进程实体是由 进程控制块&#xff08;PCB&#xff09; 、程序段和数据段这三部分组成。 3&#xff0e;文件系统中&#xff0c;空闲存储空间的管理方法有空…

Polly:提升服务可用性

Polly是.NET生态非常著名的组件包一 介绍Polly 的能力• 失败重试&#xff1a;当我们服务调用失败时&#xff0c;能够自动的重试• 服务熔断&#xff1a;当我们服务部分不可用时&#xff0c;我们的应用可以快速响应一个熔断结果&#xff0c;避免持续的请求这些不可用的服务而导…

[汇编语言]实验一:查看CPU和内存,用机器指令和汇编指令编程。

实验一 实验任务: 查看CPU和内存&#xff0c;用机器指令和汇编指令编程。 实验内容: &#xff08;1&#xff09;实验代码: 开始执行命令: &#xff08;2&#xff09;实验代码: &#xff08;3&#xff09;实验代码: 找到了,日期为:01/01/92&#xff0c;这个是虚拟机dos环境(因…

为自己而活,这很难吗?

上周&#xff0c;我的朋友圈被 #翼装飞行失联女生死亡事件# 刷屏了&#xff0c;不知道你有没有被刷到&#xff1f;什么&#xff1f;你不知道这件事&#xff1f;没事&#xff0c;我来简单叙述一下。大致是说一个24岁女大学生翼装飞行员&#xff0c;在张家界天门山景区的一次翼装…

基于 abp vNext 和 .NET Core 开发博客项目 - 异常处理和日志记录

在开始之前&#xff0c;我们实现一个之前的遗留问题&#xff0c;这个问题是有人在GitHub Issues(https://github.com/Meowv/Blog/issues/8)上提出来的&#xff0c;就是当我们对Swagger进行分组&#xff0c;实现IDocumentFilter接口添加了文档描述信息后&#xff0c;切换分组时会…

操作系统复习题+最终版

一、单选题 1、在单处理器系统中&#xff0c;如果同时存在9个进程&#xff0c;则处于就绪队列中的进程最多有&#xff08;8&#xff09;个。 A.1 B.9 C.10 D.8 分析&#xff1a;不可能出现这样一种情况&#xff0c;单处理器系统9个进程都处于就绪状态&#xff0c;但是8个处于…

[汇编语言]实验二:字的传送

实验二 实验内容: &#xff08;1&#xff09;: &#xff08;2&#xff09;:如果把上面的ax改成al呢&#xff1f; &#xff08;3&#xff09;: &#xff08;4&#xff09;: &#xff08;1&#xff09;实验代码: &#xff08;2&#xff09;实验代码: &#xff08;3&#xf…

Web页面适配移动端方案研究

源宝导读&#xff1a;由于我们ERP目前大都是在在PC上面运行&#xff0c;大家现在关注移动端比较少&#xff0c;谈到移动端适配时&#xff0c;可能都有些生疏也可能比较好奇。以前做过一些移动端的little项目&#xff0c;那么借助这次分享的机会&#xff0c;和大家一起讨论学习下…

计网复习题和知识点+最终版

分析题&#xff1a;出处 1.以太网交换机进行转发决策时使用的 PDU 地址是 _________。 &#xff08;A &#xff09; A&#xff0e;目的物理地址 B.目的 IP 地址 C.源物理地址 D.源 IP 地址 分析&#xff1a;以太网交换机属于数据链路的设备&#xff0c;用的是MAC地址/物理地…

[汇编语言]实验三:栈和栈段

实验三 实验内容: &#xff08;1&#xff09; &#xff08;2&#xff09; &#xff08;3&#xff09; &#xff08;4&#xff09; &#xff08;5&#xff09; &#xff08;6&#xff09;

概率论+往期考试卷

工程数学2018――2019学年 一、单项选择题 1&#xff0e;对掷一颗骰子的试验&#xff0c;将“出现偶数点”称为 &#xff08; D &#xff09; A、样本空间 B、必然事件 C、不可能事件 D、随机事件 2&#xff0e;若事件A、B 互不相容&#xff0c;则下列等式中未必成立的是 &…

.net core HttpClient 使用之消息管道解析(二)

一、前言前面分享了 .net core HttpClient 使用之掉坑解析&#xff08;一&#xff09;&#xff0c;今天来分享自定义消息处理HttpMessageHandler和PrimaryHttpMessageHandler 的使用场景和区别二、源代码阅读2.1 核心消息管道模型图先贴上一张核心MessageHandler 管道模型的流程…

[汇编语言]实验五:编写,调试具有多个段的程序

&#xff08;1&#xff09; 实验代码: assume cs:code, ds:data,ss:stackdata segmentdw 0123h,0456h,0789h,0abch,0defh,0fedh,0cbah,0987h data endsstack segmentdw 0,0,0,0,0,0,0,0 stack endscode segmentstart: mov ax,stackmov ss,axmov sp,16mov ax,datamov ds,axpus…

Fibonacci Sum HDU - 6755【2020 Multi-University Training Contest 1】斐波那契数列变形+二项式定理

【杭电多校2020】Distinct Sub-palindromes 分析&#xff1a; 题目&#xff1a; The Fibonacci numbers are defined as below: Given three integers N, C and K, calculate the following summation: Since the answer can be huge, output it modulo 1000000009 (1091…

List的扩容机制,你真的明白吗?

一&#xff1a;背景1. 讲故事在前一篇大内存排查中&#xff0c;我们看到了Dictionary正在做扩容操作&#xff0c;当时这个字典的count251w&#xff0c;你把字典玩的66飞起&#xff0c;其实都是底层为你负重前行&#xff0c;比如其中的扩容机制&#xff0c;当你遇到几百万甚至千…