使用Moq模擬擴充方法:封裝Mixin呼叫
在測試依賴擴充方法的類別時,使用Moq模擬這些方法並非易事。本文將解決此問題,並提供使用包裝器物件的解決方案。
考慮以下程式碼,其中一個介面使用mixin進行擴展,並且一個類別呼叫此擴展方法:
<code class="language-c#">public interface ISomeInterface { void SomeMethod(); } 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>
在測試方法中,我們嘗試模擬介面並驗證對擴充方法的呼叫:
<code class="language-c#"> [Test] public void Main_BasicCall_CallsAnotherMethod() { // Arrange var someInterfaceMock = new Mock<ISomeInterface>(); someInterfaceMock.Setup(x => x.AnotherMethod()).Verifiable(); // 此处会报错 var caller = new Caller(someInterfaceMock.Object); // Act caller.Main(); // Assert someInterfaceMock.Verify(); }</code>
但是,此測試將會失敗並出現ArgumentException,表示無法直接模擬mixin呼叫。
為了克服這個問題,可以建立一個包裝器物件來封裝mixin呼叫。這允許我們模擬包裝器方法而不是擴展方法。
例如:
<code class="language-c#">public class SomeInterfaceWrapper { private readonly ISomeInterface someInterface; public SomeInterfaceWrapper(ISomeInterface someInterface) { this.someInterface = someInterface; } public void AnotherMethod() { someInterface.AnotherMethod(); } }</code>
在測試方法中,我們可以模擬包裝器方法:
<code class="language-c#"> [Test] public void Main_BasicCall_CallsAnotherMethod() { // Arrange var wrapperMock = new Mock<SomeInterfaceWrapper>(); wrapperMock.Setup(x => x.AnotherMethod()).Verifiable(); var caller = new Caller(new SomeInterfaceWrapper(wrapperMock.Object)); // 注意此处修改 // Act caller.Main(); // Assert wrapperMock.Verify(); }</code>
這種方法提供了一種方便的方法來使用Moq模擬擴展方法呼叫。透過將mixin呼叫封裝在單獨的物件中,我們可以輕鬆模擬擴充方法的行為,而無需修改原始程式碼。 注意Caller類別的建構子需要傳入一個SomeInterfaceWrapper實例,而不是直接傳入Mock物件。
以上是如何使用最小起訂量模擬擴充方法?的詳細內容。更多資訊請關注PHP中文網其他相關文章!