merge-conflict:~/how-i-use-moq$

How I use Moq

This is the first in a series of blog posts from what I’ve learned from practicing TDD from the beginning of a project right until the end. I’ve been doing bits of TDD here and there for over a year, but since mid-November most of the code I have written has been with TDD.

Moq is a tool that can be used in .NET to help you (the developer) create mocks for use in your unit tests. Moq speeds things up if you have to create true mocks as you don’t need to write any of the verification logic. For simple test dummies or stubs, it makes code marginally quicker to write, but it’s not a deal-breaker.

A challenge I’ve had on my mind for a while is how can I achieve high coverage with my unit tests (without cheating) while making sure that the tests aren’t fragile to changes. There are lots of simple and little tricks that you can use with Moq to make your tests easier to work with in the future, the same techniques that are frequently used in the production code but far less frequently when it comes to the tests.

An Example

Let’s say we have the following test about a basket service which gets all the items in the basket and calculates the total cost of them all using an injected cost calculator (perhaps it does some wacky special offer logic for VIP customers and adjusts prices).

public void Should_Cost10_When_SingleItemOfPrice10InBasket() {
    const decimal expectedPrice = 10;
    var mockRepository = new Mock<IRepository>();
    var mockItemCostCalculator = new Mock<IItemCostCalculator>();
    var basketService = new BasketService(mockRepository.Object, mockItemCostCalculator.Object);

    mockRepository.Setup(m => m.GetAll<BasketItem>()).Returns(
        new List<BasketItem>() {
            new BasketItem('thing1'),
        }
    );
    mockItemCostCalculator.Setup(m => m.GetCost(It.IsAny<BasketItem>()))
        .Returns(expectedPrice);

    decimal cost = thingsService.GetTotalCost()

    //The Should() is from FluentAssertions - another tool I'd recommend
    cost.Should().Be(expectedPrice);
}

The above test isn’t quite the simplest possible test (that would be the empty basket case), but it’s pretty close.

Before we question the readability of this test and how it could be simpler let’s add a second test to illustrate what often happens to a set of unit tests.

public void Should_Cost20_When_TwoItemsOfPrice10InBasket() {
    const decimal expectedTotalPrice = 20;
    const decimal singleItemPrice = expectedTotalPrice / 2;

    var mockRepository = new Mock<IRepository>();
    var mockItemCostCalculator = new Mock<IItemCostCalculator>();
    var basketService = new BasketService(mockRepository.Object, mockItemCostCalculator.Object);

    mockRepository.Setup(m => m.GetAll<BasketItem>()).Returns(
        new List<BasketItem>() {
            new BasketItem('thing1'),
            new BasketItem('thing2')
        }
    );
    mockItemCostCalculator.Setup(m => m.GetCost(It.IsAny<BasketItem>()))
        .Returns(singleItemPrice);

    decimal cost = thingsService.GetTotalCost()

    cost.Should().Be(expectedTotalPrice);
}

Now we have a new test to check our basket service adds a total of 2 items together correctly. It’s pretty obvious to any other developer that I’ve just copy/pasted the first test and changed it slightly to fit my case. The reason we follow the DRY (don’t repeat yourself) principle is so if that code ever changes, we only need to change it in a single place. If future tests followed the same pattern and the signature of IItemCostCalculator.GetCost() changes in the future some poor soul is going to be manually fixing 10-15 tests one by one.

Also, when we start getting to the more complex tests is this same structure going to be fit for purpose in terms of readability? I doubt it.

An Improved Example

Let’s go back to that first test.

One simple thing I almost always do is remove the Moq setup code from the test. The Moq setup code adds a lot of noise about the exact signature that isn’t required to understand the test. Plus, by extracting it you make it reusable across multiple tests solving part of our DRY problem from earlier.

Something I almost always do again is move the creation of the unit I’m testing into setup code. I’m usually against putting anything more than the initialisation of the unit under test, and the default mock setup.

Our test file now becomes:

public class BasketTests {
    private readonly Mock<IRepository> repository;
    private readonly Mock<IItemCostCalculator> itemCostCalculator;
    private readonly BasketService basketService;

    public BasketTests() {
        //constructor is executed before each test in XUnit - this is not universally true across test frameworks
        repository = new Mock<IRepository>();
        itemCostCalculator = new Mock<IItemCostCalculator>();
        basketService = new BasketService(repository.Object, itemCostCalculator.Object);
    }

    [Fact]
    public void Should_Cost10_When_SingleItemOfPrice10InBasket() {
        const decimal expectedPrice = 10;

        ItemCostCalculatorReturns(expectedPrice);
        RepositoryReturns(new List<BasketItem>() {
            new BasketItem('thing1'),
        });        

        decimal cost = thingsService.GetTotalCost()

        cost.Should().Be(expectedPrice);
    }

    private void RepositoryReturns(IEnumerable<BasketItem> items) {
        repository.Setup(m => m.GetAll<BasketItem()).Returns(items);
    }

    private void ItemCostCalculatorReturns(decimal cost) {
        itemCostCalculator.Setup(m => m.GetCost(It.IsAny<BasketItem>()))
            .Returns(cost);
    }
}

That first test is now much easier to skim read while also making future tests easier to write without having to resort to a copy/paste. Most importantly, if the interface of one of the dependencies changes, then we only need to change one place.

Sharing Mocks Across All Tests

Sometimes you might go a step further than merely a helper method. If you have to mock the same interface/methods across multiple test files then having the same helper methods in all of the test files is violating DRY. It brings us back to the problem we had originally. Instead, we should put those helper methods elsewhere so they can be reused globally.

There are two ways I know of doing this in C#:

I usually go down the subclass route as it leaves the option of storing state further down the line; this can be useful on more complex mocks. For the mocking I’m having to do in this example it really doesn’t matter which method I go for.

public class MockItemCostCalculator : Mock<IItemCostCalculator> {
    private void Returns(decimal cost) {
        this.Setup(m => m.GetCost(It.IsAny<BasketItem>()))
            .Returns(cost);
    }
}

The above is an example of the item cost calculator mock. Again, this is something we do all the time in production code. Do it in the tests too.

Messy Moq Patterns

Sometimes when using Moq you have to do something a bit messy, like getting the value of a parameter passed to a dependency. You might do:

Notification notification = null;
mock.Setup(h => h.SendNotificaton(It.IsAny<Notification>()))
    .Callback<Notification>(n => notification = n);

Things like this can be expressed in a far more readable way with a reusable mock that does the above behind the scenes. In your test, you could then do:

Notification notification = mockNotificationDispatcher.GetFiredNotification();

You can take this even further and start recording all notifications that were fired, fetching a notification of a certain type, verifying how many times it was called etc. all without damaging the readability and maintainability of the tests with a callback.

This is Obvious

It is. These techniques are used all over production code bases. With tests, something seems to change, and that discipline around refactoring seems to drop. Some of the arguments against unit testing are about brittle tests and how the maintenance of the tests becomes a significant cost. I’m convinced that a big part of that is how we write our mocks and sometimes overuse mocks too, but that’s another blog post.