Moq에서 out / ref 파라미터 지정


293

Moq (3.0+)를 사용하여 out/ ref매개 변수 를 할당 할 수 있습니까?

내가 사용을 검토 한 결과 Callback(),하지만 Action<>이 제네릭을 기반으로하기 때문에 심판이 매개 변수를 지원하지 않습니다. 콜백에서이를 수행 할 수는 있지만 매개 변수 It.Is의 입력에 제약 조건 ( ) 을 넣고 싶습니다 ref.

Rhino Mocks가이 기능을 지원한다는 것을 알고 있지만 현재 작업중인 프로젝트는 이미 Moq를 사용하고 있습니다.


4
이 Q & A는 Moq 3에 관한 것입니다. Moq 4.8은 It.IsAny<T>()유사 서명자 ()에서 메소드 서명 ref It.Ref<T>.IsAny설정 .Callback().Returns()일치하는 사용자 정의 대리자 유형 설정 및 지원에 이르기까지 비 참조 매개 변수에 대한 지원이 훨씬 향상되었습니다 . 보호 된 방법도 동일하게 지원됩니다. 예를 들어 아래의 답변을 참조하십시오 .
stakx-더 이상

It.Ref <TValue> .Isany는 out 매개 변수를 사용하는 모든 방법에 사용할 수 있습니다. 예 : moq.Setup (x => x.Method (out It.Ref <string> .IsAny) .Returns (TValue);
MikBTC

답변:


117

Moq 버전 4.8 (이상)은 참조 매개 변수에 대한 지원이 크게 향상되었습니다.

public interface IGobbler
{
    bool Gobble(ref int amount);
}

delegate void GobbleCallback(ref int amount);     // needed for Callback
delegate bool GobbleReturns(ref int amount);      // needed for Returns

var mock = new Mock<IGobbler>();
mock.Setup(m => m.Gobble(ref It.Ref<int>.IsAny))  // match any value passed by-ref
    .Callback(new GobbleCallback((ref int amount) =>
     {
         if (amount > 0)
         {
             Console.WriteLine("Gobbling...");
             amount -= 1;
         }
     }))
    .Returns(new GobbleReturns((ref int amount) => amount > 0));

int a = 5;
bool gobbleSomeMore = true;
while (gobbleSomeMore)
{
    gobbleSomeMore = mock.Object.Gobble(ref a);
}

out매개 변수에 대해 동일한 패턴이 작동합니다 .

It.Ref<T>.IsAny또한 C # 7 in매개 변수에 대해서도 작동합니다 (참조 매개 변수이기 때문에).


2
이것이 해결책입니다. 이것은 비 참조 입력에 대해 작동하는 것처럼 입력을 참조로 할 수있게합니다. 이것은 정말
훌륭하게

5
동일한 솔루션이 작동 out하지 않습니까?
ATD

1
@ATD 부분적으로 예. out 매개 변수를 사용하여 델리게이트를 선언하고 위의 구문을 사용하여 콜백에 값을 할당하십시오
royalTS

조롱하려는 함수에 더 많은 인수가있는 경우 콜백 서명은 동일한 패턴 (ref / out 매개 변수뿐만 아니라)을 따라야합니다.
Yoav Feuerstein

320

'아웃'의 경우 다음이 저에게 효과적입니다.

public interface IService
{
    void DoSomething(out string a);
}

[TestMethod]
public void Test()
{
    var service = new Mock<IService>();
    var expectedValue = "value";
    service.Setup(s => s.DoSomething(out expectedValue));

    string actualValue;
    service.Object.DoSomething(out actualValue);
    Assert.AreEqual(expectedValue, actualValue);
}

설치 프로그램을 호출하고 기억할 때 Moq가 'expectedValue'의 값을 보는 것으로 추측합니다.

에 대한 ref답변도 찾고 있습니다.

다음 빠른 시작 안내서가 유용하다는 것을 알았습니다. https://github.com/Moq/moq4/wiki/Quickstart


7
내가 가진 문제가 있었다 생각 할 수있는 방법없는 곳에 할당 방법에서 아웃 / 심판 PARAMS는Setup
리처드 Szalay

1
ref 매개 변수를 할당하는 솔루션이 없습니다. 이 예에서는 "output value"값을 'b'에 지정합니다. Moq는 Setup에 전달한 Expression을 실행하지 않고이를 분석하여 출력 값으로 'a'를 제공하고 있음을 인식하므로 현재 값 'a'를보고 후속 호출을 위해이를 기억합니다.
Craig Celeste


9
Mocked 인터페이스 메소드가 자체 참조 출력 변수가있는 다른 범위 (예 : 다른 클래스의 메소드 내부)에서 실행될 때 이것은 작동하지 않습니다. 위의 예제는 실행이 동일한 범위에서 발생하기 때문에 편리합니다 모의 설정이지만 모든 시나리오를 해결하기에는 너무 간단합니다. out / ref 값의 명시 적 처리에 대한 지원은 moq에서 약합니다 (다른 사람이 말했듯이 실행 시간에 처리됨).
John K

2
+1 : 유용한 답변입니다. 그러나 out 매개 변수 유형이 문자열과 같은 내장 유형이 아닌 클래스 인 경우 이것이 작동한다고 생각하지 않습니다. 오늘 시도했습니다. mock 객체는 호출을 시뮬레이션하고 "out"매개 변수를 통해 null을 반환합니다.
azheglov

86

편집 : Moq 4.10에서는 out 또는 ref 매개 변수가있는 델리게이트를 콜백 함수에 직접 전달할 수 있습니다.

mock
  .Setup(x=>x.Method(out d))
  .Callback(myDelegate)
  .Returns(...); 

델리게이트를 정의하고 인스턴스화해야합니다.

...
.Callback(new MyDelegate((out decimal v)=>v=12m))
...

4.10 이전의 Moq 버전 :

Avner Kashtan은 블로그 에서 콜백에서 출력 매개 변수 (Moq, Callbacks 및 Out 매개 변수 : 특히 까다로운 경우)를 설정할 수있는 확장 방법을 제공합니다 .

이 솔루션은 우아하고 해킹 적입니다. 다른 Moq 콜백과 함께 집처럼 느껴지는 유창한 구문을 제공한다는 점에서 우아합니다. 그리고 해키는 리플렉션을 통해 내부 Moq API를 호출하는 데 의존하기 때문에 해키입니다.

위의 링크에서 제공되는 확장 방법은 나를 위해 컴파일되지 않았으므로 아래에서 편집 된 버전을 제공했습니다. 보유한 각 입력 매개 변수 수에 대한 서명을 작성해야합니다. 나는 0과 1을 제공했지만 더 확장하는 것은 간단해야합니다.

public static class MoqExtensions
{
    public delegate void OutAction<TOut>(out TOut outVal);
    public delegate void OutAction<in T1,TOut>(T1 arg1, out TOut outVal);

    public static IReturnsThrows<TMock, TReturn> OutCallback<TMock, TReturn, TOut>(this ICallback<TMock, TReturn> mock, OutAction<TOut> action)
        where TMock : class
    {
        return OutCallbackInternal(mock, action);
    }

    public static IReturnsThrows<TMock, TReturn> OutCallback<TMock, TReturn, T1, TOut>(this ICallback<TMock, TReturn> mock, OutAction<T1, TOut> action)
        where TMock : class
    {
        return OutCallbackInternal(mock, action);
    }

    private static IReturnsThrows<TMock, TReturn> OutCallbackInternal<TMock, TReturn>(ICallback<TMock, TReturn> mock, object action)
        where TMock : class
    {
        mock.GetType()
            .Assembly.GetType("Moq.MethodCall")
            .InvokeMember("SetCallbackWithArguments", BindingFlags.InvokeMethod | BindingFlags.NonPublic | BindingFlags.Instance, null, mock,
                new[] { action });
        return mock as IReturnsThrows<TMock, TReturn>;
    }
}

위의 확장 방법을 사용하면 다음과 같은 매개 변수없이 인터페이스를 테스트 할 수 있습니다.

public interface IParser
{
    bool TryParse(string token, out int value);
}

.. 다음 Moq 설정으로 :

    [TestMethod]
    public void ParserTest()
    {
        Mock<IParser> parserMock = new Mock<IParser>();

        int outVal;
        parserMock
            .Setup(p => p.TryParse("6", out outVal))
            .OutCallback((string t, out int v) => v = 6)
            .Returns(true);

        int actualValue;
        bool ret = parserMock.Object.TryParse("6", out actualValue);

        Assert.IsTrue(ret);
        Assert.AreEqual(6, actualValue);
    }



편집 : void-return 메소드를 지원하려면 새 과부하 메소드를 추가하기 만하면됩니다.

public static ICallbackResult OutCallback<TOut>(this ICallback mock, OutAction<TOut> action)
{
    return OutCallbackInternal(mock, action);
}

public static ICallbackResult OutCallback<T1, TOut>(this ICallback mock, OutAction<T1, TOut> action)
{
    return OutCallbackInternal(mock, action);
}

private static ICallbackResult OutCallbackInternal(ICallback mock, object action)
{
    mock.GetType().Assembly.GetType("Moq.MethodCall")
        .InvokeMember("SetCallbackWithArguments", BindingFlags.InvokeMethod | BindingFlags.NonPublic | BindingFlags.Instance, null, mock, new[] { action });
    return (ICallbackResult)mock;
}

이를 통해 다음과 같은 인터페이스 테스트가 가능합니다.

public interface IValidationRule
{
    void Validate(string input, out string message);
}

[TestMethod]
public void ValidatorTest()
{
    Mock<IValidationRule> validatorMock = new Mock<IValidationRule>();

    string outMessage;
    validatorMock
        .Setup(v => v.Validate("input", out outMessage))
        .OutCallback((string i, out string m) => m  = "success");

    string actualMessage;
    validatorMock.Object.Validate("input", out actualMessage);

    Assert.AreEqual("success", actualMessage);
}

5
@ Wilbert, void-return 함수에 대한 추가 과부하로 답변을 업데이트했습니다.
Scott Wegner

2
테스트 스위트에서이 솔루션을 사용해 왔으며 작동했습니다. 그러나 Moq 4.10으로 업데이트 한 이후에는 더 이상 작동하지 않습니다.
Ristogod

2
이 커밋 github.com/moq/moq4/commit/… 에서 고장난 것 같습니다 . 어쩌면 지금이 더 좋은 방법이 있습니까?
sparkplug

1
참고하시기 바랍니다 Moq4에 methodCall을이 변경 위의 설정의 속성 때문에 OutCallbackInternal의 내장 지금var methodCall = mock.GetType().GetProperty("Setup").GetValue(mock); mock.GetType().Assembly.GetType("Moq.MethodCall") .InvokeMember("SetCallbackResponse", BindingFlags.InvokeMethod | BindingFlags.Public | BindingFlags.Instance, null, methodCall, new[] { action });
마이크 mckechnie

1
@Ristogod, Moq 4.10 업데이트로 out 또는 ref 매개 변수가있는 델리게이트를 콜백 함수에 직접 전달할 수 있습니다. 델리게이트 mock.Setup(x=>x.Method(out d)).Callback(myDelegate).Returns(...);를 정의하고 인스턴스화해야합니다....Callback(new MyDelegate((out decimal v)=>v=12m))...;
esteuart

48

이것은 Moq 사이트의 문서입니다 .

// out arguments
var outString = "ack";
// TryParse will return true, and the out argument will return "ack", lazy evaluated
mock.Setup(foo => foo.TryParse("ping", out outString)).Returns(true);


// ref arguments
var instance = new Bar();
// Only matches if the ref argument to the invocation is the same instance
mock.Setup(foo => foo.Submit(ref instance)).Returns(true);

5
이것은 기본적으로 Parched의 대답과 동일하며 입력에 따라 출력 값을 변경할 수 없으며 참조 매개 변수에 응답 할 수 없다는 점에서 동일한 제한이 있습니다.
Richard Szalay

@Richard Szalay, 가능하지만 별도의 "outString"매개 변수를 사용하는 별도의 설정이 필요합니다.
Sielu

17

상자 밖으로는 불가능한 것 같습니다. 누군가가 해결책을 시도한 것처럼 보입니다.

이 포럼 게시물을 참조하십시오 http://code.google.com/p/moq/issues/detail?id=176

이 질문 Moq로 참조 매개 변수의 값을 확인하십시오


확인 감사합니다. 검색에서이 두 링크를 실제로 찾았지만 Moq가 해당 기능 중 하나를 "참조 / 출력 매개 변수 지원"으로 표시한다는 것을 알았으므로 확인하고 싶었습니다.
Richard Szalay

3

ref 매개 변수 설정과 함께 값을 리턴하려면 다음 코드를 작성하십시오.

public static class MoqExtensions
{
    public static IReturnsResult<TMock> DelegateReturns<TMock, TReturn, T>(this IReturnsThrows<TMock, TReturn> mock, T func) where T : class
        where TMock : class
    {
        mock.GetType().Assembly.GetType("Moq.MethodCallReturn`2").MakeGenericType(typeof(TMock), typeof(TReturn))
            .InvokeMember("SetReturnDelegate", BindingFlags.InvokeMethod | BindingFlags.NonPublic | BindingFlags.Instance, null, mock,
                new[] { func });
        return (IReturnsResult<TMock>)mock;
    }
}

그런 다음 조롱 할 메소드의 서명과 일치하는 자신의 델리게이트를 선언하고 자신의 메소드 구현을 제공하십시오.

public delegate int MyMethodDelegate(int x, ref int y);

    [TestMethod]
    public void TestSomething()
    {
        //Arrange
        var mock = new Mock<ISomeInterface>();
        var y = 0;
        mock.Setup(m => m.MyMethod(It.IsAny<int>(), ref y))
        .DelegateReturns((MyMethodDelegate)((int x, ref int y)=>
         {
            y = 1;
            return 2;
         }));
    }

y로 전달 될 변수에 액세스 할 수 없을 때 작동합니까? DayOfWeek에 두 개의 ref 인수를 사용하는 함수가 있습니다. 모의 스터브 에서이 둘을 특정 날짜로 설정해야하며 세 번째 인수는 모의 데이터베이스 컨텍스트입니다. 그러나 대리자 메서드는 호출되지 않습니다. Moq가 "MyMethod"함수로 전달되는 로컬 y와 일치 할 것으로 예상됩니다. 이것이 귀하의 예에서 어떻게 작동합니까? 고마워.
Greg Veres

3

Billy Jakes awnser를 기반으로 out 매개 변수를 사용하여 완전히 역동적 인 mock 메소드를 만들었습니다. 나는 이것이 유용하다고 생각하는 사람 (아마도 미래에 나에게 있음)을 위해 이것을 여기에 게시하고 있습니다.

// Define a delegate with the params of the method that returns void.
delegate void methodDelegate(int x, out string output);

// Define a variable to store the return value.
bool returnValue;

// Mock the method: 
// Do all logic in .Callback and store the return value.
// Then return the return value in the .Returns
mockHighlighter.Setup(h => h.SomeMethod(It.IsAny<int>(), out It.Ref<int>.IsAny))
  .Callback(new methodDelegate((int x, out int output) =>
  {
    // do some logic to set the output and return value.
    output = ...
    returnValue = ...
  }))
  .Returns(() => returnValue);

2

Scott의 솔루션이 한 시점에서 효과가 있다고 확신합니다.

그러나 개인 API를 들여다 볼 때 반사를 사용하지 않는 것은 좋은 주장입니다. 이제 고장났어.

대리인을 사용하여 매개 변수를 설정할 수있었습니다.

      delegate void MockOutDelegate(string s, out int value);

    public void SomeMethod()
    {
        ....

         int value;
         myMock.Setup(x => x.TryDoSomething(It.IsAny<string>(), out value))
            .Callback(new MockOutDelegate((string s, out int output) => output = userId))
            .Returns(true);
    }

1

이것은 해결책이 될 수 있습니다.

[Test]
public void TestForOutParameterInMoq()
{
  //Arrange
  _mockParameterManager= new Mock<IParameterManager>();

  Mock<IParameter > mockParameter= new Mock<IParameter >();
  //Parameter affectation should be useless but is not. It's really used by Moq 
  IParameter parameter= mockParameter.Object;

  //Mock method used in UpperParameterManager
  _mockParameterManager.Setup(x => x.OutMethod(out parameter));

  //Act with the real instance
  _UpperParameterManager.UpperOutMethod(out parameter);

  //Assert that method used on the out parameter of inner out method are really called
  mockParameter.Verify(x => x.FunctionCalledInOutMethodAfterInnerOutMethod(),Times.Once());

}

1
이것은 기본적으로 Parched의 대답과 동일하며 입력에 따라 출력 값을 변경할 수 없으며 참조 매개 변수에 응답 할 수 없다는 점에서 동일한 제한이 있습니다.
Richard Szalay

1

나는 당신이 모의하려고하는 인터페이스를 구현하는 새로운 '가짜'클래스의 인스턴스를 간단하게 만들기 전에 여기에서 많은 제안으로 어려움을 겪었습니다. 그런 다음 메소드 자체를 사용하여 out 매개 변수의 값을 간단히 설정할 수 있습니다.


0

나는 오늘 오후에 한 시간 동안 어려움을 겪었고 어디에서나 답을 찾을 수 없었습니다. 혼자서 놀아 본 후에 나는 나를 위해 일한 해결책을 생각해 낼 수있었습니다.

string firstOutParam = "first out parameter string";
string secondOutParam = 100;
mock.SetupAllProperties();
mock.Setup(m=>m.Method(out firstOutParam, out secondOutParam)).Returns(value);

여기서 핵심은 mock.SetupAllProperties();모든 속성을 제거하는 것입니다. 이것은 모든 테스트 케이스 시나리오에서 작동하지 않을 수 있지만, 모든 경우에 대해 점점 관심 return valueYourMethod다음이 뜻을 잘 작동.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.