用 Moq 征服扩展方法模拟:实用指南
有效的单元测试通常依赖于模拟依赖项。 然而,模拟扩展方法(向现有接口添加功能)提出了独特的挑战。 让我们来探讨一下这个问题及其解决方案。
想象一个 ISomeInterface
及其在 SomeInterfaceExtensions
中定义的扩展方法。 Caller
类使用 AnotherMethod
扩展:
<code class="language-csharp">public interface ISomeInterface { } public static class SomeInterfaceExtensions { public static void AnotherMethod(this ISomeInterface someInterface) { } } public class Caller { private readonly ISomeInterface someInterface; public Caller(ISomeInterface someInterface) { this.someInterface = someInterface; } public void Main() { someInterface.AnotherMethod(); } }</code>
测试Caller.Main()
需要模拟ISomeInterface
并验证AnotherMethod
的调用。 然而,直接使用 Moq 模拟扩展方法会导致“非成员方法上的无效设置”错误。
问题的根源
Moq 的限制源于扩展方法的本质。它们不是接口定义的一部分; Moq 依赖接口成员进行模拟。
包装方法:一个强大的解决方案
一个实用的解决方案涉及创建一个封装扩展方法逻辑的包装类:
<code class="language-csharp">public class SomeInterfaceExtensionWrapper { private readonly ISomeInterface wrappedInterface; public SomeInterfaceExtensionWrapper(ISomeInterface wrappedInterface) { this.wrappedInterface = wrappedInterface; } public void AnotherMethod() { wrappedInterface.AnotherMethod(); // Calls the extension method } }</code>
现在,测试可以模拟包装器:
<code class="language-csharp">var wrapperMock = new Mock<SomeInterfaceExtensionWrapper>(); wrapperMock.Setup(x => x.AnotherMethod()).Verifiable(); var caller = new Caller(wrapperMock.Object); caller.Main(); wrapperMock.Verify();</code>
替代策略
虽然包装器方法很有效,但它增加了复杂性。 考虑以下替代方案:
最佳方法取决于您的项目背景和优先级。
以上是如何使用最小起订量在单元测试中有效模拟扩展方法?的详细内容。更多信息请关注PHP中文网其他相关文章!