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>
대체 전략
래퍼 접근 방식은 효과적이지만 복잡성이 가중됩니다. 다음 대안을 고려하십시오.
가장 좋은 접근 방식은 프로젝트의 상황과 우선순위에 따라 다릅니다.
위 내용은 Moq를 사용하여 단위 테스트에서 어떻게 효과적으로 모의 확장 메서드를 사용할 수 있습니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!