Recently we’ve been looking at improving our unit test code coverage and reducing the amount of duplicated code around our bespoke data access layer. Where possible we have moved over to NHibernate but certain parts of the data access must still be written using the standard ADO.NET connection/command pattern. Typically hidden right in the middle of this bespoke code is a while loop that is pivoting a data reader into a POCO that is impossible to repeat-ably unit test in a stable environment unless you set up a dedicated data repository for testing or try to wrap up / mock the connection/command objects. Neither of these options is really desirable as we aren’t really interested in testing / mocking the .NET provider data access objects.
To get around this issue we looked into how we could generate some boilerplate code that we could roll out across our codebase. This codebase will be introduced step by step during this series with the first step covering the abstraction of the data reader processing into a standalone object that can be tested in isolation of the data access code. The example code that we are looking to migrate is shown below, a typical unrestricted “Get()” call (in this example we don’t have many customers!).
public IEnumerable<Customer> Get() { using(var connection = new SqlConnection(this.config.ConnectionString)) { using(var command = connection.CreateCommand()) { command.CommandText = "SELECT id, Firstname, Surname FROM Customer"; connection.Open(); using (var dataReader = command.ExecuteReader()) { while(dataReader.Read()) { yield return new Customer { Id = dataReader.GetGuid(dataReader.GetOrdinal("Id")), FirstName = dataReader.GetString(dataReader.GetOrdinal("FirstName")), Surname = dataReader.GetString(dataReader.GetOrdinal("Surname")) }; } } } } }
Hidden below (and behind) a concrete implementation of a SqlConnection and SqlCommand is the code that we are interested in right now:
yield return new Customer { Id = dataReader.GetGuid(dataReader.GetOrdinal("Id")), FirstName = dataReader.GetString(dataReader.GetOrdinal("FirstName")), Surname = dataReader.GetString(dataReader.GetOrdinal("Surname")) };
As previously stated, unless we set up a test repository or find a way to wrap/mock these concrete instances we are unable to test the creation from the data reader of the customer POCO. To rectify this we start with an interface defining how we would like the calling code to convert the passed in data reader:
namespace System.Data.BoilerPlate { public interface IConvertDataReader<out T> { T Parse(IDataReader dataReader); } }
Taking a very basic customer POCO object:
namespace DataAccess.Example { using System; public class Customer { public Guid Id { get; set; } public string FirstName { get; set; } public string Surname { get; set; } } }
An implementation of the IConvertDataReader interface can be created quite simply using the code below. The validation/error checking around each data reader value conversion could be as simple or as complex as you need. Part two of this series will cover a basic optimisation that can be made to this code to potentially speed up access in repeated calls such as a “while(dataReader.Read())” loop.
namespace DataAccess.Example { using System.Data; using System.Data.BoilerPlate; public class CustomerDRConvertor : IConvertDataReader<Customer> { public Customer Parse(IDataReader dataReader) { return new Customer { Id = dataReader.GetGuid(dataReader.GetOrdinal("Id")), FirstName = dataReader.GetString(dataReader.GetOrdinal("FirstName")), Surname = dataReader.GetString(dataReader.GetOrdinal("Surname")) }; } } }
This data reader converter can now be unit tested in isolation of the code that will be implementing it, using a combination NUnit and Mock to both assert actually returned results and verify expected behaviour. It’s probably worth highlighting at this stage we are using a combination of MsTest and NUnit, doing things this way brings the best of both worlds – in TFS you get automated Unit Testing as part of the CI build as you are referencing MsTest, but by adding an alias to NUnit’s assert you are getting access to NUnit’s fluent API (which we prefer).
namespace DataAccess.Example.Tests { using System; using System.Data; using Microsoft.VisualStudio.TestTools.UnitTesting; using NUnit.Framework; using Moq; using Assert = NUnit.Framework.Assert; [TestClass] public class CustomerDRConvertorTests { [TestMethod] public void CustomerDRConvertor_GoodCall() { var dataReader = new Mock<>IDataReader>(); dataReader.Setup(dr => dr.GetOrdinal("Id")).Returns(1); dataReader.Setup(dr => dr.GetOrdinal("FirstName")).Returns(2); dataReader.Setup(dr => dr.GetOrdinal("Surname")).Returns(3); var id = Guid.NewGuid(); const string firstName = "John"; const string surname = "Doe"; dataReader.Setup(dr => dr.GetGuid(1)).Returns(id); dataReader.Setup(dr => dr.GetString(2)).Returns(firstName); dataReader.Setup(dr => dr.GetString(3)).Returns(surname); var convertor = new CustomerDRConvertor(); var customer = convertor.Parse(dataReader.Object); Assert.That(customer.Id, Is.EqualTo(id)); Assert.That(customer.FirstName, Is.EqualTo(firstName)); Assert.That(customer.Surname, Is.EqualTo(surname)); dataReader.Verify(dr => dr.GetOrdinal(It.IsAny<string>()), Times.Exactly(3)); dataReader.Verify(dr => dr.GetOrdinal("Id"), Times.Once()); dataReader.Verify(dr => dr.GetOrdinal("FirstName"), Times.Once()); dataReader.Verify(dr => dr.GetOrdinal("Surname"), Times.Once()); dataReader.Verify(dr => dr.GetGuid(It.IsAny<int>()), Times.Once()); dataReader.Verify(dr => dr.GetGuid(1), Times.Once()); dataReader.Verify(dr => dr.GetString(It.IsAny<int>()), Times.Exactly(3)); dataReader.Verify(dr => dr.GetString(2), Times.Once()); dataReader.Verify(dr => dr.GetString(3), Times.Once()); } } }
Obviously the above is a very basic test, but any solution can be scaled to reflect any addition or complex processing that may take place in the implementation of Parse(IDataReader dataReader) method. In fact, in part two of this series, we will highlight how we can implement some potential implementation and verify the expected behaviour whilst confirming that the returned results have not changed.
Finally to wrap up part one of this series here is the original code updated to reflect the changes discussed here. We’ve not really changed a lot, but are now able to unit test code that was previously difficult to easily reach.
public IEnumerable<Customer> Get() { using (var connection = new SqlConnection(this.config.ConnectionString)) { using (var command = connection.CreateCommand()) { command.CommandText = "SELECT id, Firstname, Surname FROM Customer"; connection.Open(); using (var dataReader = command.ExecuteReader()) { var convertor = new CustomerDRConvertor(); while (dataReader.Read()) { yield return convertor.Parse(dataReader); } } } } }
Part 2 of this series shows how the code covered in this post can easily be optimised to increase performance, with tests updated to reflect the change.
As part of his fantastic ‘What is .NET standard‘ presentation at DDD12, Adam Ralph provided an amazing amount of detail in such a short amount of time. One of the most valuable points, which is completely obvious when you think about it, is how you should work with .NET standard when creating libraries. NET standard now comes in a multitude of flavours: currently 1.0, 1.1, 1.2, 1.3, 1.4, 1.5, 1.6 and 2.0. When starting out . . .
If you’re trying to access a class library (.NET Standard) from a traditional console application (in VS2017 those can be found under ‘Windows Classic Desktop’) you will run into problems; which can feel a little strange for something that was pretty simple in VS2015 and earlier. You can add a reference to the class library project (Resharper will even volunteer to add the dependency / namespace reference if you don’t already have it). But the . . .