Unit Testing in MVC 4 Using Entity Framework

This article is a brief introduction to the use of unit testing in MVC 4 using Entity Framework with Repository Pattern.

What is Unit testing: The basic purpose of unit testing is to test the methods of business logic of ASP.NET or MVC projects.

What is Entity Framework

Entity Framework (EF) is an object-relational mapper that enables .NET developers to work with relational data using domain-specific objects. It eliminates the need for most of the data-access code that developers usually need to write. For more see: http://msdn.microsoft.com/en-us/data/ef.aspx

What is Repository Pattern in MVC

The Repository Pattern is useful for decoupling entity operations from presentation, which allows easy mocking and unit testing.

"The Repository will delegate to the appropriate infrastructure services to get the job done. Encapsulating in the mechanisms of storage, retrieval and query is the most basic feature of a Repository implementation" .... "Most common queries should also be hard coded to the Repositories as methods." For more see: http://webmasterdriver.blogspot.in/2012/05/what-is-repository-pattern-in-aspnet.html

Getting Started

Create a new Project. Open Visual Studio 2012.

Go to "File" => "New" => "Project...".


Select "Web" in installed templates.

Select "ASP.NET MVC 4 Web Application".

Enter the Name and choose the location.

Click "OK".

Img1.jpg

Image 1.

After clicking the OK button in the next wizard there is a check box for creating a unit test project. If you want to create a unit test project then enable that check box, you can add it later or also add a new item feature.

img2.jpg

Image 2.

img3.jpg

Image 3.

First of all we are going to add a new ADO.NET Entity Data Model and provide it a relevant name.

img4.jpg

Image 4.

In the next wizard select "Generate from database" and click Next and create a new connection and select a database name. In my sample I am making a sqlexpress connection and my database is located in the App_Data folder. The attached sample has a NORTHWND database.

img5.jpg

Image 5.

img6.jpg

Image 6.

img7.jpg

Image 7.

img8.jpg

Image 8.

img9.jpg

Image 9.

img10.jpg

Image 10.

As you can see the connection string has been added to the web.config file:

<connectionStrings>
<add name="NORTHWNDEntities" connectionString="metadata=res://*/Models.NORHWNDModel.csdl|res://*/Models.NORHWNDModel.ssdl|res://*/Models.NORHWNDModel.msl;provider=System.Data.SqlClient;provider connection string=&quot;data source=(LocalDB)\v11.0;attachdbfilename=|DataDirectory|\NORTHWND.MDF;integrated security=True;connect timeout=30;MultipleActiveResultSets=True;App=EntityFramework&quot;" providerName="System.Data.EntityClient" /> </connectionStrings>

img11.jpg

Image 11.

Now add a new class in models "EmployeeRepository" and start working on it. The following is my code:
 

public class EmployeeRepository : IEmployeeRepository

    {

        /// <summary>

        /// Northwnd entity object

        /// </summary>

        private NORTHWNDEntities _db = new NORTHWNDEntities();

 

        /// <summary>

        /// This method used to get all employee listing

        /// </summary>

        /// <returns></returns>

        public IEnumerable<Employee> GetAllEmployee()

        {

            return _db.Employees.ToList();

        }

 

        /// <summary>

        /// This method used to filter employee by id

        /// </summary>

        /// <param name="id"></param>

        /// <returns></returns>

        public Employee GetEmployeeByID(int id)

        {

            return _db.Employees.FirstOrDefault(d => d.EmployeeID == id);

        }       

 

        /// <summary>

        /// This method is used to create new employee

        /// </summary>

        /// <param name="contactToCreate"></param>

        public void CreateNewEmployee(Employee employeeToCreate)

        {

            _db.Employees.Add(employeeToCreate);

            _db.SaveChanges();

            //   return contactToCreate;

        }

 

        /// <summary>

        ///  Save chages functions

        /// </summary>

        /// <returns></returns>

        public int SaveChanges()

        {

            return _db.SaveChanges();

        }

 

        /// <summary>

        ///  This method used to delete employee

        /// </summary>

        /// <param name="id"></param>

        public void DeleteEmployee(int id)

        {

            var conToDel = GetEmployeeByID(id);

            _db.Employees.Remove(conToDel);

            _db.SaveChanges();

        }

    }

As you can see, this class is inheriting an IEmployeeRepository interface. Now add a new interface.

public interface IEmployeeRepository

    {

      IEnumerable<Employee> GetAllEmployee();

      void CreateNewEmployee(Employee employeeToCreate);

      void DeleteEmployee(int id);

      Employee GetEmployeeByID(int id);       

      int SaveChanges();

    }


We are good so far. It is now time to add a new controller in the Controllers directory.

img12.jpg

Image 12.

My controller name is EmployeeController; see:

public class EmployeeController : Controller

    {

        IEmployeeRepository _repository;

 

        public EmployeeController() : this(new EmployeeRepository()) { }

 

        public EmployeeController(IEmployeeRepository repository)

        {

            _repository = repository;

        }

 

        ////

        //// GET: /Employee/

        public ViewResult Index()

        {

            ViewData["ControllerName"] = this.ToString();

            return View("Index", _repository.GetAllEmployee());

        }

 

        ////

        //// GET: /Employee/Details/5

        public ActionResult Details(int id = 0)

        {

            //int idx = id.HasValue ? (int)id : 0;

            Employee cnt = _repository.GetEmployeeByID(id);

            return View("Details", cnt);

        }

 

        //

        // GET: /Employee/Create

 

        public ActionResult Create()

        {

            return View("Create");

        }

 

        //

        // POST: /Employee/Create

 

        [HttpPost]

        public ActionResult Create([Bind(Exclude = "Id")] Employee employeeToCreate)

        {

            try

            {

                if (ModelState.IsValid)

                {

                    _repository.CreateNewEmployee(employeeToCreate);

                    return RedirectToAction("Index");

                }

            }

            catch (Exception ex)

            {

                ModelState.AddModelError("", ex);

                ViewData["CreateError"] = "Unable to create; view innerexception";

            }

 

            return View("Create");

        }

 

        //

        // GET: /Employee/Edit/5

        public ActionResult Edit(int id = 0)

        {

            var employeeToEdit = _repository.GetEmployeeByID(id);

            return View(employeeToEdit);

        }

 

        //

        // GET: /Employee/Edit/5

        [HttpPost]

        public ActionResult Edit(int id, FormCollection collection)

        {

            Employee cnt = _repository.GetEmployeeByID(id);

            try

            {

                if (TryUpdateModel(cnt))

                {

                    _repository.SaveChanges();

 

                    return RedirectToAction("Index");

                }

            }

            catch (Exception ex)

            {

                if (ex.InnerException != null)

                    ViewData["EditError"] = ex.InnerException.ToString();

                else

                    ViewData["EditError"] = ex.ToString();

            }

            #if DEBUG

            foreach (var modelState in ModelState.Values)

            {

                foreach (var error in modelState.Errors)

                {

                    if (error.Exception != null)

                    {

                        throw modelState.Errors[0].Exception;

                    }

                }

            }

            #endif

            return View(cnt);

        }

 

 

        //

        // GET: /Employee/Delete/5

 

        public ActionResult Delete(int id)

        {

            var conToDel = _repository.GetEmployeeByID(id);

            return View(conToDel);

        }

 

        //

        // POST: /Employee/Delete/5

 

        [HttpPost]

        public ActionResult Delete(int id, FormCollection collection)

        {

            try

            {

                _repository.DeleteEmployee(id);

                return RedirectToAction("Index");

            }

            catch

            {

                return View();

            }

        }   

Now add Views by right-clicking on ViewResult in the controller and select strongly typed view and select model class which is created by a data model and select scaffold template and click Add.

img13.jpg

Image 13.

img14.jpg

Image 14.

You can add views in the same way for Create, Delete, Details. Edit, Empty and List scaffold templates.

Now let's run the application to see the result.

The Index view will show you the listing of all employees:

img15.jpg

Image 15.

Click on create link that will create new employees:

img16.jpg

Image 16.

To edit an existing employee, click on the edit link:

img17.jpg

Image 17.

To see the details of an employee click on the details link:

img18.jpg

Image 18.

To delete an employee's record click on the delete botton:

img19.jpg

Image 19.

We are now good with the MVC application using a repository and the Entity Framework.

Now it is time to work on Unit Testing. First of all create a models directory in the test project. As you will see, the MVC project library was added to the test project. If you are adding a new test project to the solution then you have to add the library manually.

Tests/Models/InMemoryEmployeeRepository.cs

First of all add a namespace for this class, as in:

using UnitTestingInMVCUsingEF.Models;

class InMemoryEmployeeRepository : IEmployeeRepository

    {

 

        private List<Employee> _db = new List<Employee>();

 

        public Exception ExceptionToThrow { get; set; }

 

        public IEnumerable<Employee> GetAllEmployee()

        {

            return _db.ToList();

        }

 

        public Employee GetEmployeeByID(int id)

        {

            return _db.FirstOrDefault(d => d.EmployeeID == id);

        }

 

        public void CreateNewEmployee(Employee employeeToCreate)

        {

            if (ExceptionToThrow != null)

                throw ExceptionToThrow;

 

            _db.Add(employeeToCreate);

        }

 

        public void SaveChanges(Employee employeeToUpdate)

        {

 

            foreach (Employee employee in _db)

            {

                if (employee.EmployeeID == employeeToUpdate.EmployeeID)

                {

                    _db.Remove(employee);

                    _db.Add(employeeToUpdate);

                    break;

                }

            }

        }

 

        public void Add(Employee employeeToAdd)

        {

            _db.Add(employeeToAdd);

        }       

       

 

        public int SaveChanges()

        {

            return 1;

        }

 

        public void DeleteEmployee(int id)

        {

            _db.Remove(GetEmployeeByID(id));

        }

    }

Now let's add a new controller in the Tests/Controllers/ EmployeeControllerTest class, as in:

using UnitTestingInMVCUsingEF.Models;

using UnitTestingInMVCUsingEF.Controllers;

using UnitTestingInMVCUsingEF.Tests.Models;

[TestClass]

    public class EmployeeControllerTest

    {

        /// <summary>

        /// This method used for index view

        /// </summary>

        [TestMethod]

        public void IndexView()

        {

            var empcontroller = GetEmployeeController(new InMemoryEmployeeRepository());

            ViewResult result = empcontroller.Index();           

            Assert.AreEqual("Index", result.ViewName);

        }

 

 

        /// <summary>

        /// This method used to get employee controller

        /// </summary>

        /// <param name="repository"></param>

        /// <returns></returns>

        private static EmployeeController GetEmployeeController(IEmployeeRepository emprepository)

        {

            EmployeeController empcontroller = new EmployeeController(emprepository);

            empcontroller.ControllerContext = new ControllerContext()

            {

                Controller = empcontroller,

                RequestContext = new RequestContext(new MockHttpContext(), new RouteData())

            };

            return empcontroller;

        }

 

        /// <summary>

        ///  This method used to get all employye listing

        /// </summary>

        [TestMethod]

        public void GetAllEmployeeFromRepository()

        {

            // Arrange

            Employee employee1 = GetEmployeeName(1, "Beniwal", "Raj", "Mr", "H33", "Noida", "U.P", "201301");

            Employee employee2 = GetEmployeeName(2, "Beniwal", "Pari", "Ms", "d77", "Noida", "U.P", "201301");

            InMemoryEmployeeRepository emprepository = new InMemoryEmployeeRepository();

            emprepository.Add(employee1);

            emprepository.Add(employee2);

            var controller = GetEmployeeController(emprepository);

            var result = controller.Index();

            var datamodel = (IEnumerable<Employee>)result.ViewData.Model;

            CollectionAssert.Contains(datamodel.ToList(), employee1);

            CollectionAssert.Contains(datamodel.ToList(), employee2);

        }

 

        /// <summary>

        /// This method used to get emp name

        /// </summary>

        /// <param name="id"></param>

        /// <param name="lName"></param>

        /// <param name="fName"></param>

        /// <param name="title"></param>

        /// <param name="address"></param>

        /// <param name="city"></param>

        /// <param name="region"></param>

        /// <param name="postalCode"></param>

        /// <returns></returns>

        Employee GetEmployeeName(int id, string lName, string fName, string title, string address, string city, string region, string postalCode)

        {

            return new Employee

            {

                EmployeeID = id,

                LastName = lName,

                FirstName = fName,

                Title = title,

                Address = address,

                City = city,

                Region = region,

                PostalCode = postalCode               

            };

        }

 

        /// <summary>

        /// This test method used to post employee

        /// </summary>

        [TestMethod]

        public void Create_PostEmployeeInRepository()

        {           

            InMemoryEmployeeRepository emprepository = new InMemoryEmployeeRepository();

            EmployeeController empcontroller = GetEmployeeController(emprepository);

            Employee employee = GetEmployeeID();

            empcontroller.Create(employee);

            IEnumerable<Employee> employees = emprepository.GetAllEmployee();

            Assert.IsTrue(employees.Contains(employee));

        }

 

        /// <summary>

        ///

        /// </summary>

        /// <returns></returns>

        Employee GetEmployeeID()

        {

            return GetEmployeeName(1, "Beniwal", "Raj", "Mr", "H33", "Noida", "U.P", "201301");

        }

 

        /// <summary>

        ///

        /// </summary>

        [TestMethod]

        public void Create_PostRedirectOnSuccess()

        {           

            EmployeeController controller = GetEmployeeController(new InMemoryEmployeeRepository());

            Employee model = GetEmployeeID();

            var result = (RedirectToRouteResult)controller.Create(model);

            Assert.AreEqual("Index", result.RouteValues["action"]);

        }

 

        /// <summary>

        ///

        /// </summary>

        [TestMethod]

        public void ViewIsNotValid()

        {           

            EmployeeController empcontroller = GetEmployeeController(new InMemoryEmployeeRepository());           

            empcontroller.ModelState.AddModelError("", "mock error message");

            Employee model = GetEmployeeName(1, "", "", "", "","","","");

            var result = (ViewResult)empcontroller.Create(model);

            Assert.AreEqual("Create", result.ViewName);

        }

 

        /// <summary>

        ///

        /// </summary>

        [TestMethod]

        public void RepositoryThrowsException()

        {

            // Arrange

            InMemoryEmployeeRepository emprepository = new InMemoryEmployeeRepository();

            Exception exception = new Exception();

            emprepository.ExceptionToThrow = exception;

            EmployeeController controller = GetEmployeeController(emprepository);

            Employee employee = GetEmployeeID();

            var result = (ViewResult)controller.Create(employee);

            Assert.AreEqual("Create", result.ViewName);

            ModelState modelState = result.ViewData.ModelState[""];

            Assert.IsNotNull(modelState);

            Assert.IsTrue(modelState.Errors.Any());

            Assert.AreEqual(exception, modelState.Errors[0].Exception);

        }

 

        private class MockHttpContext : HttpContextBase

        {

            private readonly IPrincipal _user = new GenericPrincipal(new GenericIdentity("someUser"), null /* roles */);

 

            public override IPrincipal User

            {

                get

                {

                    return _user;

                }

                set

                {

                    base.User = value;

                }

            }

        }

    }


It is now time to run the test cases.

img20.jpg

Image 20.

img21.jpg

Image 21.

As you will see all test cases are the result.
 

Up Next
    Ebook Download
    View all
    Learn
    View all