Repeat.Any()似乎覆盖Repeat.Once()

时间:2014-07-29 17:02:50

标签: c# rhino-mocks

我正在使用Rhino Mocks 3.6并且我设置了一个模拟器我想要一个方法在第一次返回true然后在每次之后返回false。我是通过指定.Return(true).Repeat.Once()然后.Return(false).Repeat.Any()来完成的。但这似乎使它一直都是假的。相反,我必须将第二个更改为.Return(false).Repeat.AtLeastOnce()。我想知道Any()为什么会这样做。这是一些示例代码。第一次测试将失败,而第二次测试将成功。

[TestClass]
public class ExampleTest
{
    private Example example;

    private IFoo foo;

    [TestInitialize]
    public void InitializeTest()
    {
        example = new Example();
        foo = MockRepository.GenerateStrictMock<IFoo>();
    }

    [TestMethod]
    public void Test1()
    {
        foo.Expect(f => f.SomeCondition()).Return(true).Repeat.Once();
        foo.Expect(f => f.SomeCondition()).Return(false).Repeat.Any();
        foo.Expect(f => f.SomeMethod()).Repeat.Once();

        example.Bar(foo);

        foo.VerifyAllExpectations();
    }

    [TestMethod]
    public void Test2()
    {
        foo.Expect(f => f.SomeCondition()).Return(true).Repeat.Once();
        foo.Expect(f => f.SomeCondition()).Return(false).Repeat.AtLeastOnce();
        foo.Expect(f => f.SomeMethod()).Repeat.Once();

        example.Bar(foo);

        foo.VerifyAllExpectations();
    }
}

public interface IFoo
{
    bool SomeCondition();

    void SomeMethod();
}

public class Example
{
    public void Bar(IFoo foo)
    {
        if (foo.SomeCondition())
        {
            if (!foo.SomeCondition())
            {
                foo.SomeMethod();
            }
        }
    }
}

1 个答案:

答案 0 :(得分:0)

Any方法的文档如下(他们的拼写和语法):

Repeat the method any number of times. This has special affects in that this method would now ignore orderring

因此,简而言之,Any旨在忽略 排序

这提出了一个问题:如何设置第一个期望返回一个结果,然后任何调用之后返回不同的结果?您可以做的最好是将Times与最小和最大参数一起使用:

[TestMethod]
public void Test2()
{
    foo.Expect(f => f.SomeCondition()).Return(true).Repeat.Once();
    foo.Expect(f => f.SomeCondition()).Return(false).Repeat.Times(0, int.MaxValue);
    foo.Expect(f => f.SomeMethod()).Repeat.Once();

    example.Bar(foo);
    example.Bar(foo);
    example.Bar(foo);

    foo.VerifyAllExpectations();
}