Mock a Database Repository using Moq
How to mock a database repository using Moq
The concept of unit testing my code is still fairly new to me and was introduced when I started writing applications with the Microsoft MVC Framework in Visual Studio 2008. Intimidated somewhat by the Moq library's heavy reliance on lambdas, my early tests used full Mock classes that I would write myself, and which implemented the same interface
as my real database repositories. I'd only write the code for the methods I needed, all other methods would simply throw a "NotImplementedException
". However, I quickly discovered that the problem with this approach is that whenever a new method was added to the interface
, my test project would no longer build (since the new method was not implemented in my mock repository) and I would have to manually add a new method that threw another "NotImplementedException
". After doing this for the 5th or 6th time, I decided to face my fears and get to grips with using the Moq library instead. Here is a simple example, of how you can mock a database repository class using the Moq library.
Let's assume that your database contains a table called Product
, and that either you or Linq, or LLBLGen, or something similar has created the following class to represent that table as an object in your class library.
The Product Class
namespace MoqRepositorySample
{
using System;
public class Product
{
public int ProductId { get; set; }
public string Name { get; set; }
public string Description { get; set; }
public double Price { get; set; }
public DateTime DateCreated { get; set; }
public DateTime DateModified { get; set; }
}
}
Your Product
Repository class might implement an interface
similar to the following, which offers basic database functionality such as retrieving a product by id, by name, fetching all products, and a save method that would handle inserting and updating products.
The IProductRepository Interface
namespace MoqRepositorySample
{
using System.Collections.Generic;
public interface IProductRepository
{
IList<Product> FindAll();
Product FindByName(string productName);
Product FindById(int productId);
bool Save(Product target);
}
}
The test class that follows demonstrates how to use Moq to set up a mock Products
repository based on the interface
above. The unit tests shown here focus primarily on testing the mock repository itself, rather than on testing how your application uses the repository, as they would in the real world.
Microsoft Unit Test Class
namespace TestProject1
{
using System;
using System.Collections.Generic;
using System.Linq;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Moq;
using MoqRepositorySample;
/// <summary>
/// Summary description for UnitTest1
/// </summary>
[TestClass]
public class UnitTest1
{
/// <summary>
/// Constructor
/// </summary>
public UnitTest1()
{
// create some mock products to play with
IList<Product> products = new List<Product>
{
new Product { ProductId = 1, Name = "C# Unleashed",
Description = "Short description here", Price = 49.99 },
new Product { ProductId = 2, Name = "ASP.Net Unleashed",
Description = "Short description here", Price = 59.99 },
new Product { ProductId = 3, Name = "Silverlight Unleashed",
Description = "Short description here", Price = 29.99 }
};
// Mock the Products Repository using Moq
Mock<IProductRepository> mockProductRepository = new Mock<IProductRepository>();
// Return all the products
mockProductRepository.Setup(mr => mr.FindAll()).Returns(products);
// return a product by Id
mockProductRepository.Setup(mr => mr.FindById(
It.IsAny<int>())).Returns((int i) => products.Where(
x => x.ProductId == i).Single());
// return a product by Name
mockProductRepository.Setup(mr => mr.FindByName(
It.IsAny<string>())).Returns((string s) => products.Where(
x => x.Name == s).Single());
// Allows us to test saving a product
mockProductRepository.Setup(mr => mr.Save(It.IsAny<Product>())).Returns(
(Product target) =>
{
DateTime now = DateTime.Now;
if (target.ProductId.Equals(default(int)))
{
target.DateCreated = now;
target.DateModified = now;
target.ProductId = products.Count() + 1;
products.Add(target);
}
else
{
var original = products.Where(
q => q.ProductId == target.ProductId).Single();
if (original == null)
{
return false;
}
original.Name = target.Name;
original.Price = target.Price;
original.Description = target.Description;
original.DateModified = now;
}
return true;
});
// Complete the setup of our Mock Product Repository
this.MockProductsRepository = mockProductRepository.Object;
}
/// <summary>
/// Gets or sets the test context which provides
/// information about and functionality for the current test run.
///</summary>
public TestContext TestContext { get; set; }
/// <summary>
/// Our Mock Products Repository for use in testing
/// </summary>
public readonly IProductRepository MockProductsRepository;
/// <summary>
/// Can we return a product By Id?
/// </summary>
[TestMethod]
public void CanReturnProductById()
{
// Try finding a product by id
Product testProduct = this.MockProductsRepository.FindById(2);
Assert.IsNotNull(testProduct); // Test if null
Assert.IsInstanceOfType(testProduct, typeof(Product)); // Test type
Assert.AreEqual("ASP.Net Unleashed", testProduct.Name); // Verify it is the right product
}
/// <summary>
/// Can we return a product By Name?
/// </summary>
[TestMethod]
public void CanReturnProductByName()
{
// Try finding a product by Name
Product testProduct = this.MockProductsRepository.FindByName("Silverlight Unleashed");
Assert.IsNotNull(testProduct); // Test if null
Assert.IsInstanceOfType(testProduct, typeof(Product)); // Test type
Assert.AreEqual(3, testProduct.ProductId); // Verify it is the right product
}
/// <summary>
/// Can we return all products?
/// </summary>
[TestMethod]
public void CanReturnAllProducts()
{
// Try finding all products
IList<Product> testProducts = this.MockProductsRepository.FindAll();
Assert.IsNotNull(testProducts); // Test if null
Assert.AreEqual(3, testProducts.Count); // Verify the correct Number
}
/// <summary>
/// Can we insert a new product?
/// </summary>
[TestMethod]
public void CanInsertProduct()
{
// Create a new product, not I do not supply an id
Product newProduct = new Product
{ Name = "Pro C#", Description = "Short description here", Price = 39.99 };
int productCount = this.MockProductsRepository.FindAll().Count;
Assert.AreEqual(3, productCount); // Verify the expected Number pre-insert
// try saving our new product
this.MockProductsRepository.Save(newProduct);
// demand a recount
productCount = this.MockProductsRepository.FindAll().Count;
Assert.AreEqual(4, productCount); // Verify the expected Number post-insert
// verify that our new product has been saved
Product testProduct = this.MockProductsRepository.FindByName("Pro C#");
Assert.IsNotNull(testProduct); // Test if null
Assert.IsInstanceOfType(testProduct, typeof(Product)); // Test type
Assert.AreEqual(4, testProduct.ProductId); // Verify it has the expected productid
}
/// <summary>
/// Can we update a product?
/// </summary>
[TestMethod]
public void CanUpdateProduct()
{
// Find a product by id
Product testProduct = this.MockProductsRepository.FindById(1);
// Change one of its properties
testProduct.Name = "C# 3.5 Unleashed";
// Save our changes.
this.MockProductsRepository.Save(testProduct);
// Verify the change
Assert.AreEqual("C# 3.5 Unleashed", this.MockProductsRepository.FindById(1).Name);
}
}
}