当前位置:网站首页>ASP. Net 6 middleware series - Custom middleware classes
ASP. Net 6 middleware series - Custom middleware classes
2022-04-23 03:06:00 【Dotnet cross platform】
This article is ASP.NET 6 The first of a series of middleware articles 2 part , Click here to Read page 1 part .
In the last article , We discussed what middleware is , What is its role , And in ASP.NET 6 A simple way to add middleware to the application pipeline .
In this article , We will extend and build some custom middleware classes based on these .
The sample project
stay GitHub You can get the code involved in this article on :
https://github.com/zilor-net/ASPNET6Middleware/tree/Part2
Standard middleware architecture
With us in The first 1 part What you do in , Most of the time, we want middleware to be a separate class , Not in Program.cs Create in file .
Let's go back to the first 1 Partial content , A response “Hello Dear Readers!” The content of middleware ?
app.Run(async context =>
{
await context.Response.WriteAsync("Hello Dear Readers!");
});
Next , Let's create a custom middleware class to achieve the same effect .
Basic knowledge of middleware class
The following is an empty class , We will use this middleware :
namespace ASPNET6Middleware.Middleware
{
public class SimpleResponseMiddleware
{
}
}
The middleware class consists of three parts :
First , Any middleware class must have RequestDelegate
Private member instance of type , The instance is populated by the constructor of the class .
RequestDelegate
Represents the next Middleware in the pipeline :
namespace ASPNET6Middleware.Middleware
{
private readonly RequestDelegate _next;
public SimpleResponseMiddleware(RequestDelegate next)
{
_next = next;
}
}
secondly , This class must have a async Method InvokeAsync()
, It accepts a HttpContext
Type as its first argument :
public class SimpleResponseMiddleware
{
private readonly RequestDelegate _next;
public SimpleResponseMiddleware(RequestDelegate next)
{
_next = next;
}
public async Task InvokeAsync(HttpContext context)
{
//...Implementation
}
}
Third , Middleware must have its own implementation . For this middleware , All we have to do is return a custom response :
public class SimpleResponseMiddleware
{
private readonly RequestDelegate _next;
public SimpleResponseMiddleware(RequestDelegate next)
{
_next = next;
}
public async Task InvokeAsync(HttpContext context)
{
await context.Response.WriteAsync("Hello Dear Readers!");
}
}
Be careful : stay InvokeAsync()
In the method , Most middleware will call await next(context);
, Any middleware that does not do so will be a terminal middleware , It represents the end of the pipeline , The middleware behind it will not execute .
Add middleware to the pipeline
here , We can use UseMiddleware<>()
Method , Add this middleware class to Program.cs In the document app in :
app.UseMiddleware<LayoutMiddleware>();
For simple middleware classes , That's enough .
However , The more common way is to use the extension method , Instead of using it directly UseMiddleware<>()
, Because this can provide us with a more specific package :
namespace ASPNET6Middleware.Extensions
{
public static class MiddlewareExtensions
{
public static IApplicationBuilder UseSimpleResponseMiddleware(this IApplicationBuilder builder)
{
return builder.UseMiddleware<SimpleResponseMiddleware>();
}
}
}
Then we can use this extension method like this :
app.UseSimpleResponseMiddleware();
Both methods are correct , But I personally prefer the clarity and readability of the extension method .
Build logging middleware
stay The first 1 part I introduced , One of the most common scenarios for middleware is logging , In particular, record the request path or response header 、 Response body, etc .
LoggingService class
We will build a logging middleware class , It only does two things :
Record the request path .
Record the unique response header .
First , We have to create interfaces ILoggingService
And the class LoggingService
.
namespace ASPNET6Middleware.Logging
{
public class LoggingService : ILoggingService
{
public void Log(LogLevel logLevel, string message)
{
// The specific implementation of log is omitted
}
}
public interface ILoggingService
{
public void Log(LogLevel level, string message);
}
}
Then we need to be in Program.cs Lieutenant general LoggingService
Added to the application Services
Collection :
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddRazorPages();
builder.Services.AddTransient<ILoggingService, LoggingService>();
Middleware classes can also inject services like ordinary classes .
LoggingMiddleware class
Now we need a LoggingMiddleware
Class to log .
First , Let's make LoggingMiddleware
Class to create a good middleware structure , It accepts a in the constructor ILoggingService
As a parameter :
namespace ASPNET6Middleware.Middleware
{
public class LoggingMiddleware
{
private readonly RequestDelegate _next;
private readonly ILoggingService _logger;
public LoggingMiddleware(RequestDelegate next, ILoggingService logger)
{
_next = next;
_logger = logger;
}
public async Task InvokeAsync(HttpContext context)
{
//...
}
}
}
Our task is to record the path of the request and the unique header of the response , This means that await next(context)
There is code before and after :
namespace ASPNET6Middleware.Middleware
{
public class LoggingMiddleware
{
//..
public async Task InvokeAsync(HttpContext context)
{
// Record the incoming request path
_logger.Log(LogLevel.Information, context.Request.Path);
// Call the next Middleware in the pipeline
await _next(context);
// Get a unique response header
var uniqueResponseHeaders
= context.Response.Headers
.Select(x => x.Key)
.Distinct();
// Record the response header name
_logger.Log(LogLevel.Information, string.Join(", ", uniqueResponseHeaders));
}
}
}
take LoggingMiddleware Add to pipe
Because I prefer to use the extension method to add middleware to the pipeline , Let's create a new extension method :
namespace ASPNET6Middleware.Extensions
{
public static class MiddlewareExtensions
{
//...
public static IApplicationBuilder UseLoggingMiddleware(this IApplicationBuilder builder)
{
return builder.UseMiddleware<LoggingMiddleware>();
}
}
}
Last , We need to be in Program.cs Middle note invocation of our new extension method , take LoggingMiddleware
Class is added to the pipeline :
app.UseLoggingMiddleware();
When we run the application , We can see the code ( Through breakpoints ) The request path and response header can be recorded correctly .
In the next article in this series , We will talk about the execution sequence of middleware , Show a new middleware that records execution time , It also discusses some common problems that may occur when creating middleware pipelines .
版权声明
本文为[Dotnet cross platform]所创,转载请带上原文链接,感谢
https://yzsam.com/2022/04/202204230301333918.html
边栏推荐
- 樹莓派開發筆記(十二):入手研華ADVANTECH工控樹莓派UNO-220套件(一):介紹和運行系統
- Summary of interface automation interview questions for software testing
- Miniapi of. Net7 (special section): NET7 Preview3
- .NET7之MiniAPI(特别篇):.NET7 Preview3
- Niuke white moon race 5 [problem solving mathematics field]
- Thoughts on the 2022 national network security competition of the national secondary vocational group (only one idea for myself) - network security competition questions (9)
- ASP.NET 6 中间件系列 - 自定义中间件类
- FileNotFoundError: [Errno 2] No such file or directory
- c#可变参数params的介绍
- 利用栈的回溯来解决“文件的最长绝对路径”问题
猜你喜欢
MYSQL04_ Exercises corresponding to arithmetic, logic, bit, operator and operator
微软是如何解决 PC 端程序多开问题的——内部实现
Laravel new route file
荐读 | 分享交易员的书单,向名家请教交易之道,交易精彩无比
tf. keras. layers. MaxPooling? D function
Dynamic sequence table + OJ
Er and eer models
MYSQL05_ Ordr by sorting, limit grouping, group by grouping
腾讯视频涨价:一年多赚74亿!关注我领取腾讯VIP会员,周卡低至7元
ASP.NET 6 中间件系列 - 执行顺序
随机推荐
微软是如何解决 PC 端程序多开问题的
全网讲的最细,软件测试度量,怎样优化软件测试成本提高效率---火爆
Use of MySQL command line client and common commands
Thoughts on the 2022 national network security competition of the national secondary vocational group (only one idea for myself) - network security competition questions (7)
Using positive and negative traversal to solve the problem of "the shortest distance of characters"
HLS / chisel practice CORDIC high performance computing complex square root
LNMP MySQL allows remote access
Summary of software test interview questions
Simple example of using redis in PHP
Response processing of openfeign
Miniapi of. Net7 (special section): NET7 Preview3
[software testing] understand the basic knowledge of software testing
Xamarin effect Chapter 21 expandable floating operation button in GIS
基于.NetCore开发博客项目 StarBlog - (1) 为什么需要自己写一个博客?
C# WPF UI框架MahApps切换主题
在.NE6 WebApi中使用分布式缓存Redis
Guangcheng cloud service can fill in a daily report regularly every day
[new version release] componentone added Net 6 and blazor platform control support
Redis Cluster集群,主节点故障,主从切换后ip变化,客户端需要处理不
Tencent video VIP member, weekly card special price of 9 yuan! Tencent official direct charging, members take effect immediately!