从shim方法调用原始方法

时间:2013-12-09 19:46:03

标签: c# unit-testing microsoft-fakes shim

为BCL(或任何库)中的类型成员创建填充程序。我们经常面临一种情况,我们想要调用我们已经覆盖的原始方法(无论是在垫片代理内部还是外部)。 E.G:

System.Fakes.ShimDateTime.NowGet = () => DateTime.Now.AddDays(-1);

在上面的代码中,调用DateTime.Now时我们要做的就是返回一个小于实际日期的日期。也许这看起来像一个人为的例子,所以其他(更多)现实的场景是

  1. 能够捕获并验证传递给特定方法的参数值。
  2. 能够计算次数a 特定方法/属性由被测代码访问。
  3. 我面对真实应用程序中的最后一个场景,无法找到Fakes on SO的答案。但是,在深入了解Fakes文档后,我找到了答案,因此将其与社区问题一起发布。

1 个答案:

答案 0 :(得分:8)

Fakes内置了对此的支持;实际上有two ways来实现这一点。

1)使用ShimsContext.ExecuteWithoutShims()作为不需要填充行为的代码的包装:

System.Fakes.ShimDateTime.NowGet = () => 
{
return ShimsContext.ExecuteWithoutShims(() => DateTime.Now.AddDays(-1));
};

2)另一种方法是将垫片设置为null,调用原始方法并恢复垫片。

FakesDelegates.Func<DateTime> shim = null;
shim = () => 
{
System.Fakes.ShimDateTime.NowGet = null;
var value = ShimsContext.ExecuteWithoutShims(() => DateTime.Now.AddDays(-1));
System.Fakes.ShimDateTime.NowGet = shim;
return value;
};
System.Fakes.ShimDateTime.NowGet = shim;

编辑:显然,第一种方法更简洁,更易读。所以我更喜欢它明确声明shim变量并删除/恢复垫片。