直接引用MrAdvice.dll文件不能实现AOP拦截,教你1分钟解决这个问题。近日工作中,要实现一个功能,那就是业务层方法里面实现自动缓存。编写业务的C#开发人员只关注如何将业务代码编写正确就可以了,而缓存的代码,大多类似,无非就是判断是否有缓存,有就取出返回,没有就调用数据库代码获取数据再缓存起来而已,于是这部分代码通过使用AOP的方式自动接管掉这种重复性代码。

MrAdvice开源项目github地址:https://github.com/ArxOne/MrAdvice

直接引用MrAdvice.dll文件不能实现AOP拦截功能

1月份的时候写过一篇使用AOP组件重构老旧 ado.net 代码,统一管理多表操作的事务的文章,在测试程序中使用的是MrAdvice这个开源组件,对它熟悉,就又使用它了。只不过这次使用有点特殊,以前开发是可以联网的,可以很方便的使用nuget将其安装到本地,而这次是因项目原因内外网隔离,且是断网开发的,就只能在外网写个测试程序,然后将MrAdvice.dll文件复制到内网电脑,内网电脑通过引用dll的方式来使用该组件,结果是不会进入到拦截方法的。

直接引用MrAdvice.dll

 

通过下图可以看到,成功解决后,可以实现自动缓存了。

实现AOP拦截 

下面是全部的演示程序源码。

演示程序解决方案目录一览

该项目是一个控制台项目,解决方案如下图所示:

演示程序解决.

MrAdvice.dll是直接引用的,不是通过nuget安装的,至于这个dll文件的获取,你可以通过nuget获取了找到它即可。

演示程序的源码

控制台入口的代码比较简单,单纯的调用接口。

程序入口代码

class Program
{
static void Main(string[] args)
{
Console.Title = "jhrs.com AOP演示程序,通过直接引用MrAdvice.dll编写的代码!";
DateTime dtNow = DateTime.Now;
IJhrscom api = new Jhrscom();
var result = api.GetResult("这是a参数", dtNow, 12342);
Console.WriteLine();
Console.WriteLine($"第1次调用时返回结果是:"+result.ToJson());
Console.WriteLine();
result = api.GetResult("这是a参数", dtNow, 12342);
Console.WriteLine();
Console.WriteLine($"第2次调用时返回结果是来自第1次缓存数据,只不过被改了下:" + result.ToJson());
Console.WriteLine();
//api.GetPatient(Guid.NewGuid(), result);
}
}

  

程序接口代码

程序接口代码主要是模拟业务方法里面的一些类,定义了一个接口,一个实现类,另外实现类上面是标注了一个自动缓存的特性(AutoCache),该特性的实现代码即为下面所述的核心的AOP拦截代码,具体下面会给出的;另外还有一个输出结果(响应消息)的类。整个源码是放到一个文件里面的,如下所示:

public interface IJhrscom
{
ResponseResult GetResult(string a, DateTime dateTime, int id); ResponseResult GetPatient(Guid id, ResponseResult t);
} public class Jhrscom : IJhrscom
{
[AutoCache(10)]
public ResponseResult GetPatient(Guid id, ResponseResult t)
{
string key = GetKey(new object[] { id, t });
ResponseResult result = new ResponseResult() { Code = 4444, Message = "第2个方法" };
return result;
} [AutoCache(cacheMinutes: 12, enableSliding: true)]
public ResponseResult GetResult(string a, DateTime dateTime, int id)
{
ResponseResult result = new ResponseResult() { Code = 1122, Message = "缓存测试消息" };
string key = GetKey(new object[] { a, dateTime, id });
return result;
} /// <summary>
/// 缓存key
/// </summary>
/// <param name="pars"></param>
/// <returns></returns>
private string GetKey(params object[] pars)
{
var method = new StackFrame(1).GetMethod();
var array = method.GetParameters();
var key = array.Select(x => { return pars[x.Position].ToJson(); }).ToArray(); var cacheKey = $"{method.DeclaringType.ToString()}|{method.Name.Replace("′", "")}|{string.Join("_", array.Select(x => x.Name))}|{string.Join("_", key)}".GetMd5();
Console.WriteLine($"【{method.Name.Replace("′", "")}】实现类里面的缓存Key:" + cacheKey);
return cacheKey;
}
} /// <summary>
/// 输出结果
/// </summary>
public class ResponseResult
{
public int Code { get; set; }
public string Message { get; set; } //.....其它属性
}

  

核心的AOP拦截代码

该代码是用于实现自动缓存功能,思路就是在调用业务方法前,根据缓存key,缓存key按一定规则生成,保证唯一就可以了,具体源码中有说明,从缓存里面取出数据,如果存在缓存就直接返回给调用者即可,并终止业务方法的执行(体现在不调用context.Proceed()方法上);如果不存在缓存数据或者缓存过期了,则调用业务方法获取数据后并缓存就可以了。

/// <summary>
/// 用AOP来实现自动缓存
/// </summary>
public class AutoCacheAttribute : Attribute, IMethodAdvice
{
/// <summary>
/// 滑动过期
/// </summary>
public bool EnableSliding { get; set; } /// <summary>
/// 缓存时间,分钟
/// </summary>
public int CacheMinutes { get; set; } /// <summary>
/// 构造函数
/// </summary>
/// <param name="cacheMinutes">缓存时间,分钟,默认5分钟,小于等于0永久缓存</param>
/// <param name="enableSliding">使用滑动过期缓存控制策略</param>
public AutoCacheAttribute(int cacheMinutes = 5, bool enableSliding = false)
{
EnableSliding = enableSliding;
CacheMinutes = cacheMinutes;
} /// <summary>
/// AOP组件拦截方法,用于实现自动缓存,有缓存时直接返回;
/// 没有缓存时,调用被拦截方法后,有返回值则将数据自动缓存起来
/// </summary>
/// <param name="context"></param>
public void Advise(MethodAdviceContext context)
{
var key = GetKey(context);
if (context.HasReturnValue && key.TryGetCache(out object m))
{
var r = m as ResponseResult;
r.Message = "在拦截方法里面改了缓存里面取出来的数据!"; context.ReturnValue = r;
//context.ReturnValue = m; //context.Proceed(); //直接取出缓存返回,不用执行原来取数据方法。
}
else
{
context.Proceed();//执行被拦截的方法
if (context.HasReturnValue && context.ReturnValue != null)
{
//被拦截方法有返回值,并且返回值不为null
if (EnableSliding && CacheMinutes > 0)
context.ReturnValue.SetCache(key, TimeSpan.FromMinutes(CacheMinutes));
else if (CacheMinutes > 0)
context.ReturnValue.SetCache(key, DateTime.Now.AddMinutes(CacheMinutes));
else
context.ReturnValue.SetCache(key);
}
}
} /// <summary>
/// 获取缓存key,key的规则为: md5(类全名|方法名|参数列表拆分数组|参数值的json数组),这样可以保证唯一
/// </summary>
/// <param name="context"></param>
/// <returns></returns>
private string GetKey(MethodAdviceContext context)
{
var array = context.TargetMethod.GetParameters();
var key = array.Select(x => { return context.Arguments[x.Position].ToJson(); }).ToArray(); var cacheKey = $"{context.Target.ToString()}|{context.TargetName}|{string.Join("_", array.Select(x => x.Name))}|{string.Join("_", key)}".GetMd5();
return cacheKey;
}
} /// <summary>
/// 缓存扩展方法,可使用其它缓存替代
/// </summary>
public static class CacheExtensions
{
private static MemoryCache cache = new MemoryCache("https://jhrs.com"); /// <summary>
/// 设置缓存,一直不过期
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="value"></param>
/// <param name="key"></param>
public static void SetCache<T>(this T value, string key)
{
if (string.IsNullOrWhiteSpace(key)) throw new ArgumentException($"缓存键参数{nameof(key)}不能为null或空");
if (value == null) throw new ArgumentException($"缓存值参数{nameof(value)}不能为null");
CacheItemPolicy policy = new CacheItemPolicy();
cache.Set(key, value, policy);
} /// <summary>
/// 设置缓存,固定过期时间
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="value"></param>
/// <param name="key"></param>
/// <param name="absoluteExpiration"></param>
public static void SetCache<T>(this T value, string key, DateTimeOffset? absoluteExpiration)
{
if (string.IsNullOrWhiteSpace(key)) throw new ArgumentException($"缓存键参数{nameof(key)}不能为null或空");
if (value == null) throw new ArgumentException($"缓存值参数{nameof(value)}不能为null");
CacheItemPolicy policy = new CacheItemPolicy() { AbsoluteExpiration = (DateTimeOffset)absoluteExpiration };
cache.Set(key, value, policy);
} /// <summary>
/// 设置缓存,滑动过期
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="value"></param>
/// <param name="key"></param>
/// <param name="slidingExpiration"></param>
public static void SetCache<T>(this T value, string key, TimeSpan? slidingExpiration)
{
if (string.IsNullOrWhiteSpace(key)) throw new ArgumentException($"缓存键参数{nameof(key)}不能为null或空");
if (value == null) throw new ArgumentException($"缓存值参数{nameof(value)}不能为null");
CacheItemPolicy policy = new CacheItemPolicy() { SlidingExpiration = (TimeSpan)slidingExpiration };
cache.Set(key, value, policy);
} /// <summary>
/// 获取缓存数据
/// </summary>
/// <typeparam name="T">对象类型</typeparam>
/// <param name="key"><缓存key/param>
/// <param name="value">返回的缓存数据对名</param>
/// <returns></returns>
public static bool TryGetCache<T>(this string key, out T value)
{
value = default(T);
if (cache.Contains(key))
{
value = (T)cache.Get(key);
return true;
}
return false;
} /// <summary>
/// 获取字符串MD5值
/// </summary>
/// <param name="value"></param>
/// <returns></returns>
public static string GetMd5(this string value)
{
byte[] bytes = Encoding.UTF8.GetBytes(value); StringBuilder sb = new StringBuilder();
MD5 hash = new MD5CryptoServiceProvider();
bytes = hash.ComputeHash(bytes);
foreach (byte b in bytes)
{
sb.AppendFormat("{0:x2}", b);
}
return sb.ToString();
}
}

  

附加的JSON扩展类

该扩展类只是方便将对象转为JSON而已,代码不复如,如下所示:

 public static class JsonExtensions
{
/// <summary>
/// 将对象转换为JSON字符串
/// </summary>
/// <param name="obj">要转换的对象</param>
/// <param name="camelCase">是否小写名称</param>
/// <param name="indented"></param>
/// <returns></returns>
public static string ToJson(this object obj, bool camelCase = false, bool indented = false)
{
JsonSerializerSettings settings = new JsonSerializerSettings();
if (camelCase)
{
settings.ContractResolver = new CamelCasePropertyNamesContractResolver();
}
if (indented)
{
settings.Formatting = Formatting.Indented;
}
return JsonConvert.SerializeObject(obj, settings);
} /// <summary>
/// 把Json字符串转换为强类型对象
/// </summary>
public static T FromJson<T>(string json)
{
if (string.IsNullOrWhiteSpace(json)) return default(T);
json = JsonDateTimeFormat(json);
return JsonConvert.DeserializeObject<T>(json);
} /// <summary>
/// 处理Json的时间格式为正常格式
/// </summary>
private static string JsonDateTimeFormat(string json)
{
json = Regex.Replace(json,
@"\\/Date\((\d+)\)\\/",
match =>
{
DateTime dt = new DateTime(1970, 1, 1);
dt = dt.AddMilliseconds(long.Parse(match.Groups[1].Value));
dt = dt.ToLocalTime();
return dt.ToString("yyyy-MM-dd HH:mm:ss.fff");
});
return json;
}
}

  

解决直接引用MrAdvice.dll不能拦截的问题

出现这个问题的根源是,MrAdvice这个组件是在编译时会给你的项目源码编织一些AOP拦截代码,熟悉PostSharp的应该对此了解,这也是在MrAdvice项目地址的issues处得到解答,地址是:https://github.com/ArxOne/MrAdvice/issues/140

所以我们需要在项目文件csproj里面添加一些配置,并且把MrAdvice的目录复制到断网开发项目的packages目录。通过完成这两个步骤就可以解决了。

You’ve missed the point: Mr Advice is a post-build weaver, which changes the assembly at build-time after the csc compiler has generated it. To achieve this, is inserts a task in the csproj. So if you want to do the same manually, you need to also add the build task in your csproj. If you have a VS2017 solution with a project working, you’ll only need to copy the lines that were added to the csproj into your own project.

解决步骤

  • 联网新建一个项目,通过nuget安装MrAdvice,然后在解决方案的packages目录里面将nuget下载的MrAdvice目录包,复制到你断网环境的解决方案的packages目录,如下图所示:
MrAdvice 目录
  • 修改项目文件,即修改csproj文件,csproj文件可以使用记事本或者其它软件打开,增加以下节点,如下图所示:
csproj文件

配置节点为如下:

<Import Project="..\packages\MrAdvice.2.8.8\build\MrAdvice.targets" Condition="Exists('..\packages\MrAdvice.2.8.8\build\MrAdvice.targets')" />
<Target Name="EnsureNuGetPackageBuildImports" BeforeTargets="PrepareForBuild">
<PropertyGroup>
<ErrorText>这台计算机上缺少此项目引用的 NuGet 程序包。使用“NuGet 程序包还原”可下载这些程序包。有关更多信息,请参见 http://go.microsoft.com/fwlink/?LinkID=322105。缺少的文件是 {0}。</ErrorText>
</PropertyGroup>
<Error Condition="!Exists('..\packages\MrAdvice.2.8.8\build\MrAdvice.targets')" Text="$([System.String]::Format('$(ErrorText)', '..\packages\MrAdvice.2.8.8\build\MrAdvice.targets'))" />
</Target>

  

好了,通过以上步骤就可以在断网环境里面愉快的使用MrAdvice这个AOP拦截组件来省点体力劳动了。

源码可以在首发地址下载,本文首发于:

https://jhrs.com/2019/33367.html

直接引用MrAdvice.dll文件不能实现AOP拦截,教你1分钟解决这个问题的更多相关文章

  1. C# 动态修改dll的签名 以及修改引用该dll文件的签名

    在读取RedisSessionStateProvider配置 提到用mono ceil 来修改程序集以及它的签名,里面GetPublicKey 和GetPubliKeyToken 方法里面那个字符串的 ...

  2. C# 将引用的DLL文件放到指定的目录下

    原文:C# 将引用的DLL文件放到指定的目录下 版权声明:本文为博主原创文章,未经博主允许不得转载. https://blog.csdn.net/sweety820/article/details/2 ...

  3. python引用C++ DLL文件若干解释及示例

    python引用C++ DLL文件若干解释及示例 首先说一下,python不支持C++的DLL,但是支持C的DLL:C++因为和C兼容可以编译为C的DLL,这是下面文章的背景与前提 首先我这儿的示例使 ...

  4. VS2010 项目引用了DLL文件,也写了Using,但是编译时提示:未能找到类型或命名空间名称 <转>

    昨天写了一个很小的winform程序,其中引用了自己写的两个dll文件. 本来认为轻松搞定,结果一编译居然提示:未能找到类型或命名空间名称..... 于是删掉两个dll重新引用,再编译结果依旧!很是郁 ...

  5. 转载:C# 将引用的DLL文件放到指定的目录下

    当软件引用的DLL比较多的时候,全部的DLL都放在exe同目录下,显得比较乱,如果能把dll放到响应的文件夹下面,就方便很多 下面是解决该问题的一种方法: 右键点击项目:属性->设置,项目会生成 ...

  6. Vs 引用第三方DLL文件 版本不一致问题 (npoi与memcached中的ICSharpCode.SharpZipLib版本冲突的解决方案)

    最近在 做 MailChimp 与网站功能 集成时,发现 MailChimp 2API 中的 MailChimp.dll  中的依赖项 SerivceStack.Text.dll (版本为3.9.71 ...

  7. VS 项目(c#)引用了 DLL文件,也写了Using,但是编译时提示:未能找到类型或命名空间名称

    1. 在项目上点右键-->属性-->应用程序-->目标框架-->修改为.NET Framework 4. 而我原来的设置是.NET Framework 4 Client Pro ...

  8. 引用动态链接库Dll文件 引用失败 未能添加对HD.dll的引用。请确保此文件可访问并且是一个有效的程序集或COM组件

    出现这个问题,是由于使用了非.NET 的动态链接库,需要注册 方法如下: 1.在搜索程序和文件中使用 regsvr32 "D:\Projects\8.01.01.03-重庆大足\lib\Va ...

  9. 关于在c#中引用外部dll文件,在页面中找不到命名空间

    最近在项目中碰到这样的问题,经过搜索,发现是vs2010的版本不对,VS默认的版本是.NET Framework 4 Client Profile,需要将他更改为.NET Framework 4 版本 ...

随机推荐

  1. Jenkins构建Jmeter项目

    1.启动jenkins 2.新建自由风格的项目 定时任务 构建操作 安装HTML Publisher插件 构建后操作 最后保存构建,查看报告

  2. Java反序列化漏洞总结

    本文首发自https://www.secpulse.com/archives/95012.html,转载请注明出处. 前言 什么是序列化和反序列化 Java 提供了一种对象序列化的机制,该机制中,一个 ...

  3. webpack——简单入门

    1.介绍 Webpack 是当下最热门的前端资源模块化管理和打包工具.它可以将许多松散的模块按照依赖和规则打包成符合生产环境部署的前端资源.还可以将按需加载的模块进行代码分隔,等到实际需要的时候再异步 ...

  4. Cocos2d-x 学习笔记(8) ActionManager

    1. 概述 ActionManager管理所有的action,调度所有的action,删除指定的action.每个action对应一个node对象,action存储在actions中,actions和 ...

  5. RIDE-工程、测试套件、测试用例三者关系

    理论 type的选择: 一般来说:测试项目(directory)-测试套件(file)-测试用例 本质上,“测试项目”和“测试套件”并没有什么区别,但是testcase只能放在file类型的test ...

  6. sql查询入门

    SQL语言是一门相对来说简单易学却又功能强大的语言,它能让你快速上手并很快就能写出比较复杂的查询语句.但是对于大多数开发者来说,使用SQL语句查询数据库的时候,如果没有一个抽象的过程和一个合理的步骤, ...

  7. Could not initialize class com.fasterxml.jackson.databind.SerializationConfig

    问题 Spring web 与 Spring eureka集成后出现错误: Caused by: java.lang.NoClassDefFoundError: Could not initializ ...

  8. 【阿里云IoT+YF3300】7.物联网设备表达式运算

    很多时候从设备采集的数据并不能直接使用,还需要进行处理一下.如果采用脚本处理,有点太复杂了,而采用表达式运算,则很方便地解决了此类问题. 一.  设备连接 运行环境搭建:Win7系统请下载相关的设备驱 ...

  9. 用Python校准本地时间

    目录 1. 概念 1.1 基本概念 1.2 版本演进 2. 示例演示 2.1 前提条件 2.2 完整代码 2.3 其他问题 3. 参考信息: 1. 概念 1.1 基本概念 时间,对于我们来说很重要,什 ...

  10. springboot使用spring配置文件

    1.如何在springboot中使用spring的配置文件,使用@Configuration和@ImportResource注解 package com.spring.task; import org ...