Moq를 사용하여 확장 방법 시뮬레이션: Mixin 호출 캡슐화
확장 메서드에 의존하는 클래스를 테스트할 때 Moq를 사용하여 이러한 메서드를 모의하는 것은 쉽지 않습니다. 이 기사에서는 이 문제를 해결하고 래퍼 개체를 사용하는 솔루션을 제공합니다.
믹스인을 사용하여 인터페이스가 확장되고 클래스가 이 확장 메서드를 호출하는 다음 코드를 생각해 보세요.
<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 호출을 직접 모의할 수 없음을 나타냅니다.
이 문제를 극복하려면 믹스인 호출을 캡슐화하는 래퍼 개체를 만들 수 있습니다. 이를 통해 확장 메서드 대신 래퍼 메서드를 모의할 수 있습니다.
예:
<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를 사용하여 확장 메서드 호출을 시뮬레이션하는 편리한 방법을 제공합니다. 별도의 객체에 믹스인 호출을 캡슐화함으로써 원본 코드를 수정하지 않고도 확장 메서드의 동작을 쉽게 시뮬레이션할 수 있습니다. Caller 클래스의 생성자는 Mock 객체를 직접 전달하는 대신 SomeInterfaceWrapper 인스턴스를 전달해야 합니다.
위 내용은 Moq를 사용하여 확장 메서드를 어떻게 모의할 수 있나요?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!