Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What is ReplayAll() and VerifyAll() in RhinoMocks

Tags:

c#

rhino-mocks

[Test]
public void MockAGenericInterface()
{
    MockRepository mocks = new MockRepository();
    IList<int> list = mocks.Create Mock<IList<int>>();
    Assert.IsNotNull(list);
    Expect.Call(list.Count).Return(5);
    mocks.ReplayAll();
    Assert.AreEqual(5, list.Count); 
    mocks.VerifyAll();
}

What is the purpose of ReplayAll() and VerifyAll() in this code?

like image 422
SaiBand Avatar asked May 20 '11 22:05

SaiBand


1 Answers

The code snippet demonstrates the Record/Replay/Verify syntax of Rhino.Mocks. You first record the expectations for a mock (using Expect.Call(), then you call ReplayAll() to run the mock simulation. Then, you call VerifyAll() to verify that all the expectations have been met.

This is an obsolete syntax, by the way. The new syntax is called AAA Syntax - Arrange, Act, Assert and is usually easier to work with than the old R/R/V one. You code snipped translated to AAA:

  [Test]
  public void MockAGenericInterface()
  {
    IList<int> list = MockRepository.GenerateMock<IList<int>>();
    Assert.IsNotNull(list);
    list.Expect (x => x.Count).Return(5);
    Assert.AreEqual(5, list.Count); 
    list.VerifyAllExpectations();
  }
like image 96
Igor Brejc Avatar answered Oct 17 '22 14:10

Igor Brejc