moqとのマッチングのために、かなり複雑な式ツリーの作成を単純化しようとすると、私はいくつかの奇妙な動作に遭遇しました。
私が下に定義されている単純なインタフェースを嘲笑していると仮定します
public interface IService
{
int Send(int value);
}
次のコードは5つのテストを表しています。 mockSender.Setup(...)
のそれぞれに対して1つのテスト。失敗したとマークされたテストが失敗する理由を誰でも説明できますか?
[Test]
public void TestInlineSetup()
{
const int expected = 5;
var mockSender = new Mock(MockBehavior.Loose);
//passes
mockSender.Setup(s => s.Send(It.IsAny())).Returns(expected);
//fails
var sendMatch = It.IsAny();
mockSender.Setup(s => s.Send(sendMatch)).Returns(expected);
//passes
mockSender.Setup(s => s.Send(SendMatchFromMethod())).Returns(expected);
//fails
var sendMatch = SendMatchFromMethod();
mockSender.Setup(s => s.Send(sendMatch)).Returns(expected);
//fails (this is somewhat contrived, but I have reasons for wanting to curry this)
mockSender.Setup(s => s.Send(SendMatchFromCurriedMethod()())).Returns(expected);
Assert.That(mockSender.Object.Send(expected), Is.EqualTo(expected));
}
public static int SendMatchFromMethod()
{
return It.IsAny();
}
public static Func SendMatchFromCurriedMethod()
{
return () => It.IsAny();
}
Edit: I know about Mock.Of<..>(..) and normally prefer to use it but in this case it is not an option.
この問題は、Moqが提供された式ツリーを解析してパラメータマッチャーを作成しようとする方法に起因しています。ここでソースを見つけることができます: -
http://code.google.com/p/moq /source/browse/trunk/Source/MatcherFactory.cs
ソースを参照する: -
It.IsAny
matchers are detected by compiling and executing the expression that is passed as the parameter and looking for any matches (see here).だから心にそれを....
It.IsAny
method has been evaluated outside of the matcher factory. As such you have a MemberAccess expression to 0.SendMatchFromMethod
is treated as a method call expression and the call is evaluated inside the MatcherFactory.It.Is
正直言って4回目のテストは合格しなければならないでしょう。おそらくちょうどそれが端の場合であるからといって、それが中断されているように見えるかもしれません。
Finally Match.Create
or MatchAttribute
can be used to deal with complex predicates, perhaps they might fit your use case?
This seems to be very similar to a situation I ran into a while ago: Moq unit test with It.IsAny
The issue seems to be with when It.IsAny
gets evaluated. With the 2 tests that pass, it's getting evaluated inside of Setup(...)
, which works fine. In the first 2 tests that fail, it's getting evaluated outside the scope of Setup(...)
, so it fails to evaluate correctly. What's probably getting stored in your variable is the result of It.IsAny
, which will be the default value for an int
(0
).
I don't know the exact reason why the last test would fail, but it could be either that as an optimization your static Func
gets evaluated before Setup(...)
executes, or it could be that it gets evaluated after Setup(...)
, but either way it's happening outside of Setup(...)
.