Autofac实现拦截器和切面编程

2023-11-05 19:58

本文主要是介绍Autofac实现拦截器和切面编程,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

Autofac.Annotation框架是我用.netcore写的一个注解式DI框架,基于Autofac参考 Spring注解方式所有容器的注册和装配,切面,拦截器等都是依赖标签来完成。

开源地址:https://github.com/yuzd/Autofac.Annotation

上期说了Autofac实现有条件的DI

本期讲的是最新重构的功能,这个功能也是赋予了这个框架的无限可能,也是我觉得设计的比较好的地方, 今天来说说我是怎么设计的。本篇文章我写的时候想了很久如何脱离代码去讲的很清楚,但是发现很难,因为设计的巧妙之处还是在于代码,得细品。至少我觉得比Spring的拦截器链用的代码少而精巧,而且更容器理解(手动狗头)

d4e16c8d252cd2348db03dbde4088de8.png

切面和拦截器介绍

拦截器是什么?

可以帮助我们方便在执行目标方法的

  • 前(Before)

  • 后(After)

  • 返回值时(AfterReturn)

  • 抛错误时(AfterThrowing)

  • 环绕(Around)

简单示例:

//自己实现一个拦截器public class TestHelloBefore:AspectBefore{public override Task Before(AspectContext aspectContext){Console.WriteLine("TestHelloBefore");return Task.CompletedTask;}}[Component]public class TestHello{[TestHelloBefore]//打上拦截器public virtual void Say(){Console.WriteLine("Say");}}

先执行 TestHelloBefor的Before方法再执行你的Say方法

更多使用示例请查看 Aspect拦截器

切面是什么?

定义一个切面(根据筛选器去实现满足条件的多个类的多个方法的“拦截器”

简单示例:

[Component]public class ProductController{public virtual string GetProduct(string productId){return "GetProduct:" + productId;}public virtual string UpdateProduct(string productId){return "UpdateProduct:" + productId;}}[Component]public class UserController{public virtual string GetUser(string userId){return "GetUser:" + userId;}public virtual string DeleteUser(string userId){return "DeleteUser:" + userId;}}// *Controller 代表匹配 只要是Controller结尾的类都能匹配// Get* 代表上面匹配成功的类下 所以是Get打头的方法都能匹配[Pointcut(Class = "*Controller",Method = "Get*")]public class LoggerPointCut{[Around]public async Task Around(AspectContext context,AspectDelegate next){Console.WriteLine("PointcutTest1.Around-start");await next(context);Console.WriteLine("PointcutTest1.Around-end");}[Before]public void Before(){Console.WriteLine("PointcutTest1.Before");}[After]public void After(){Console.WriteLine("PointcutTest1.After");}[AfterReturn(Returing = "value1")]public void AfterReturn(object value1){Console.WriteLine("PointcutTest1.AfterReturn");}[AfterThrows(Throwing = "ex1")]public void Throwing(Exception ex1){Console.WriteLine("PointcutTest1.Throwing");}       }

更多示例请查看 Pointcut切面编程

如何实现的

分为3步

  • 1.搜集拦截算子(比如Before/After等这个我们叫算子)

  • 2.构造拦截器链(按照上面图的方式把算子链接起来)

  • 3.生成代理类代理目标方法去执行上面构造的拦截器链

1.搜集拦截算子

因为拦截器的使用是约定了要继承 AspectInvokeAttribute

/// <summary>///     AOP拦截器 默认包含继承关系/// </summary>[AttributeUsage(AttributeTargets.Method | AttributeTargets.Class)]public class AspectInvokeAttribute : Attribute{/// <summary>///     排序 值越低,优先级越高/// </summary>public int OrderIndex { get; set; }/// <summary>///     分组名称/// </summary>public string GroupName { get; set; }}
cb1e9daf12fb8dcc705259fb509135f8.png
image

这一组注解是暴露给外部使用,来搜集哪些类的哪些方法需要增强

接下来需要去针对性去实现每一种增强器要做的事情

定义一个增强器接口IAdvice

internal interface IAdvice{/// <summary>///  拦截器方法/// </summary>/// <param name="aspectContext">执行上下文</param>/// <param name="next">下一个增强器</param>/// <returns></returns>Task OnInvocation(AspectContext aspectContext, AspectDelegate next);}
18e6f5218f31a85e20651a65e75b8455.png
image
Before增强器
/// <summary>/// 前置增强器/// </summary>internal class AspectBeforeInterceptor : IAdvice{private readonly AspectBefore _beforeAttribute;public AspectBeforeInterceptor(AspectBefore beforeAttribute){_beforeAttribute = beforeAttribute;}public async Task OnInvocation(AspectContext aspectContext, AspectDelegate next){//先执行Before逻辑await this._beforeAttribute.Before(aspectContext);//在走下一个增强器await next.Invoke(aspectContext);}}
After增强器
/// <summary>/// 后置增强器/// </summary>internal class AspectAfterInterceptor : IAdvice{private readonly AspectAfter _afterAttribute;private readonly bool _isAfterAround;public AspectAfterInterceptor(AspectAfter afterAttribute, bool isAfterAround = false){_afterAttribute = afterAttribute;_isAfterAround = isAfterAround;}public async Task OnInvocation(AspectContext aspectContext, AspectDelegate next){try{if (!_isAfterAround) await next.Invoke(aspectContext);}finally{//不管成功还是失败都会执行的 await this._afterAttribute.After(aspectContext, aspectContext.Exception ?? aspectContext.ReturnValue);}}}
环绕增强器
/// <summary>/// 环绕返回拦截处理器/// </summary>internal class AspectAroundInterceptor : IAdvice{private readonly AspectArround _aroundAttribute;private readonly AspectAfterInterceptor _aspectAfter;private readonly AspectAfterThrowsInterceptor _aspectThrows;public AspectAroundInterceptor(AspectArround aroundAttribute, AspectAfter aspectAfter, AspectAfterThrows chainAspectAfterThrows){_aroundAttribute = aroundAttribute;if (aspectAfter != null){_aspectAfter = new AspectAfterInterceptor(aspectAfter, true);}if (chainAspectAfterThrows != null){_aspectThrows = new AspectAfterThrowsInterceptor(chainAspectAfterThrows, true);}}public async Task OnInvocation(AspectContext aspectContext, AspectDelegate next){Exception exception = null;try{if (_aroundAttribute != null){await _aroundAttribute.OnInvocation(aspectContext, next);return;}}catch (Exception ex){exception = ex;}finally{if (exception == null && _aspectAfter != null) await _aspectAfter.OnInvocation(aspectContext, next);}try{if (exception != null && _aspectAfter != null){await _aspectAfter.OnInvocation(aspectContext, next);}if (exception != null && _aspectThrows != null){await _aspectThrows.OnInvocation(aspectContext, next);}}finally{if (exception != null) throw exception;}}}
返回值增强器
/// <summary>/// 后置返值增强器/// </summary>internal class AspectAfterReturnInterceptor : IAdvice{private readonly AspectAfterReturn _afterAttribute;public AspectAfterReturnInterceptor(AspectAfterReturn afterAttribute){_afterAttribute = afterAttribute;}public async Task OnInvocation(AspectContext aspectContext, AspectDelegate next){await next.Invoke(aspectContext);//执行异常了不执行after 去执行Throwif (aspectContext.Exception != null){return;}if (_afterAttribute != null){await this._afterAttribute.AfterReturn(aspectContext, aspectContext.ReturnValue);}}}
异常返回增强器
/// <summary>/// 异常返回增强器/// </summary>internal class AspectAfterThrowsInterceptor : IAdvice{private readonly AspectAfterThrows _aspectThrowing;private readonly bool _isFromAround;public AspectAfterThrowsInterceptor(AspectAfterThrows throwAttribute, bool isFromAround = false){_aspectThrowing = throwAttribute;_isFromAround = isFromAround;}public async Task OnInvocation(AspectContext aspectContext, AspectDelegate next){try{if (!_isFromAround) await next.Invoke(aspectContext);}finally{//只有目标方法出现异常才会走 增强的方法出异常不要走if (aspectContext.Exception != null){Exception ex = aspectContext.Exception;if (aspectContext.Exception is TargetInvocationException targetInvocationException){ex = targetInvocationException.InnerException;}if (ex == null){ex = aspectContext.Exception;}var currentExType = ex.GetType();if (_aspectThrowing.ExceptionType == null || _aspectThrowing.ExceptionType == currentExType){await _aspectThrowing.AfterThrows(aspectContext, aspectContext.Exception);}}}}}
2. 组装增强器们成为一个调用链
9ecac031c6228e01ca9fdc92672ea5e1.png
image

每一个node的有三个信息,如下

/// <summary>/// 拦截node组装/// </summary>internal class AspectMiddlewareComponentNode{/// <summary>/// 下一个/// </summary>public AspectDelegate Next;/// <summary>/// 执行器/// </summary>public AspectDelegate Process;/// <summary>/// 组件/// </summary>public Func<AspectDelegate, AspectDelegate> Component;}

采用LinkedList来构建我们的拉链式调用, 我们把上面的每个增强器作为一个个middeware,添加进来。

internal class AspectMiddlewareBuilder{private readonly LinkedList<AspectMiddlewareComponentNode> Components = new LinkedList<AspectMiddlewareComponentNode>();/// <summary>/// 新增拦截器链/// </summary>/// <param name="component"></param>public void Use(Func<AspectDelegate, AspectDelegate> component){var node = new AspectMiddlewareComponentNode{Component = component};Components.AddLast(node);}/// <summary>/// 构建拦截器链/// </summary>/// <returns></returns>public AspectDelegate Build(){var node = Components.Last;while (node != null){node.Value.Next = GetNextFunc(node);node.Value.Process = node.Value.Component(node.Value.Next);node = node.Previous;}return Components.First.Value.Process;}/// <summary>/// 获取下一个/// </summary>/// <param name="node"></param>/// <returns></returns>private AspectDelegate GetNextFunc(LinkedListNode<AspectMiddlewareComponentNode> node){return node.Next == null ? ctx => Task.CompletedTask : node.Next.Value.Process;}}

然后build方法会构建成一个一层嵌套一层的pipeline管道(一个委托)

765bdaa9485d634e7e2e6b5cdd9b0992.png
image

更多关于这种设计模式更多信息请参考我另外一篇文章:中间件(middlewware)模式

构建的顺序: After, Around,Before,最后才是实际的方法

这里尤其要注意需要将AfterReturn 和 AfterThrowing在Around增强器里面调用,这里要细品!

按照我们的需求构建的完整执行示意图如下:

单个拦截器或者切面
45b716210c2b0c677b692a010b50df67.png
image
多个拦截器或者切面
2cee762f6b40530582ceb9c61a23b931.png
image

3.生成代理类代理目标方法去执行上面构造的拦截器链

这一步就简单了,如果检测到目标有打拦截器注解,则会给这个类动态创建一个proxy类,

生成代理类用的是castle.core的dynamic组件

默认的是Class+virtual的方式对目标方法进行拦截

88c42bfcbfee9b6cc01294fa5cd2eeeb.png
image

注意:考虑到性能,在项目启动的时候把构建好进行缓存,然后再拦截器里面使用

https://github.com/yuzd/Autofac.Annotation/wiki


我是正东,学的越多不知道也越多。热爱可低漫长岁月,这一刻我很爽!

这篇关于Autofac实现拦截器和切面编程的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/352139

相关文章

hdu1043(八数码问题,广搜 + hash(实现状态压缩) )

利用康拓展开将一个排列映射成一个自然数,然后就变成了普通的广搜题。 #include<iostream>#include<algorithm>#include<string>#include<stack>#include<queue>#include<map>#include<stdio.h>#include<stdlib.h>#include<ctype.h>#inclu

【C++】_list常用方法解析及模拟实现

相信自己的力量,只要对自己始终保持信心,尽自己最大努力去完成任何事,就算事情最终结果是失败了,努力了也不留遗憾。💓💓💓 目录   ✨说在前面 🍋知识点一:什么是list? •🌰1.list的定义 •🌰2.list的基本特性 •🌰3.常用接口介绍 🍋知识点二:list常用接口 •🌰1.默认成员函数 🔥构造函数(⭐) 🔥析构函数 •🌰2.list对象

【Prometheus】PromQL向量匹配实现不同标签的向量数据进行运算

✨✨ 欢迎大家来到景天科技苑✨✨ 🎈🎈 养成好习惯,先赞后看哦~🎈🎈 🏆 作者简介:景天科技苑 🏆《头衔》:大厂架构师,华为云开发者社区专家博主,阿里云开发者社区专家博主,CSDN全栈领域优质创作者,掘金优秀博主,51CTO博客专家等。 🏆《博客》:Python全栈,前后端开发,小程序开发,人工智能,js逆向,App逆向,网络系统安全,数据分析,Django,fastapi

让树莓派智能语音助手实现定时提醒功能

最初的时候是想直接在rasa 的chatbot上实现,因为rasa本身是带有remindschedule模块的。不过经过一番折腾后,忽然发现,chatbot上实现的定时,语音助手不一定会有响应。因为,我目前语音助手的代码设置了长时间无应答会结束对话,这样一来,chatbot定时提醒的触发就不会被语音助手获悉。那怎么让语音助手也具有定时提醒功能呢? 我最后选择的方法是用threading.Time

Linux 网络编程 --- 应用层

一、自定义协议和序列化反序列化 代码: 序列化反序列化实现网络版本计算器 二、HTTP协议 1、谈两个简单的预备知识 https://www.baidu.com/ --- 域名 --- 域名解析 --- IP地址 http的端口号为80端口,https的端口号为443 url为统一资源定位符。CSDNhttps://mp.csdn.net/mp_blog/creation/editor

【Python编程】Linux创建虚拟环境并配置与notebook相连接

1.创建 使用 venv 创建虚拟环境。例如,在当前目录下创建一个名为 myenv 的虚拟环境: python3 -m venv myenv 2.激活 激活虚拟环境使其成为当前终端会话的活动环境。运行: source myenv/bin/activate 3.与notebook连接 在虚拟环境中,使用 pip 安装 Jupyter 和 ipykernel: pip instal

Android实现任意版本设置默认的锁屏壁纸和桌面壁纸(两张壁纸可不一致)

客户有些需求需要设置默认壁纸和锁屏壁纸  在默认情况下 这两个壁纸是相同的  如果需要默认的锁屏壁纸和桌面壁纸不一样 需要额外修改 Android13实现 替换默认桌面壁纸: 将图片文件替换frameworks/base/core/res/res/drawable-nodpi/default_wallpaper.*  (注意不能是bmp格式) 替换默认锁屏壁纸: 将图片资源放入vendo

C#实战|大乐透选号器[6]:实现实时显示已选择的红蓝球数量

哈喽,你好啊,我是雷工。 关于大乐透选号器在前面已经记录了5篇笔记,这是第6篇; 接下来实现实时显示当前选中红球数量,蓝球数量; 以下为练习笔记。 01 效果演示 当选择和取消选择红球或蓝球时,在对应的位置显示实时已选择的红球、蓝球的数量; 02 标签名称 分别设置Label标签名称为:lblRedCount、lblBlueCount

Kubernetes PodSecurityPolicy:PSP能实现的5种主要安全策略

Kubernetes PodSecurityPolicy:PSP能实现的5种主要安全策略 1. 特权模式限制2. 宿主机资源隔离3. 用户和组管理4. 权限提升控制5. SELinux配置 💖The Begin💖点点关注,收藏不迷路💖 Kubernetes的PodSecurityPolicy(PSP)是一个关键的安全特性,它在Pod创建之前实施安全策略,确保P

工厂ERP管理系统实现源码(JAVA)

工厂进销存管理系统是一个集采购管理、仓库管理、生产管理和销售管理于一体的综合解决方案。该系统旨在帮助企业优化流程、提高效率、降低成本,并实时掌握各环节的运营状况。 在采购管理方面,系统能够处理采购订单、供应商管理和采购入库等流程,确保采购过程的透明和高效。仓库管理方面,实现库存的精准管理,包括入库、出库、盘点等操作,确保库存数据的准确性和实时性。 生产管理模块则涵盖了生产计划制定、物料需求计划、