Click here to Skip to main content
15,867,308 members
Articles / Web Development / HTML

CRUD Opearations using AutoMapper in an MVC Application

Rate me:
Please Sign up or sign in to vote.
4.87/5 (85 votes)
26 Nov 2014CPOL6 min read 275.5K   10.1K   141   58
How to do custom mapping and entity to entity mapping with the help of AutoMapper.

Introduction

In our article series of Learning MVC, we learnt a lot about MVC, about various techniques to communicate to a database in MVC applications, and a few internal concepts too.

When we indulge into real-time programming environments, we face not only one but many types of challenges in the code. This article explains a new concept, Auto Mapper in MVC applications, to overcome one of the major challenges we face while communicating with data entities and binding them to our model.

Challenge

Sometimes while interacting with real time (database) entities and binding our model to them, we end up in a situation like:

C#
var dbContext = new MyDBDataContext();
var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
var user = new LearningMVC.Models.User();
if (userDetails != null)
{
    user.UserId = userDetails.UserId;
    user.FirstName = userDetails.FirstName;
    user.LastName = userDetails.LastName;
    user.Address = userDetails.Address;
    user.PhoneNo = userDetails.PhoneNo;
    user.EMail = userDetails.EMail;
    user.Company = userDetails.Company;
    user.Designation = userDetails.Designation;
}
return View(user);

The above mentioned code is not very hard to understand. In the above code, an instance var dbContext = new MyDBDataContext(); is created from the LINQ to SQL Context class, thereafter the user details are fetched  from a user specific table and stored in the var userDetails variable. We have an existing model named User (LearningMVC.Models.User()) that has similar properties as that of the Users class generated from the database. Now we initialize properties of the instance of our model from properties of instance of the User class from the database so that we can populate our View in an MVC application.

We see here that there are eight properties that are similar to each other but each set lies in a separate class, one in the Model, and one in the Users class. And what we do is one by one we bind these properties to our model and pass it to the View. Now the problem is what if we have 100 column records coming from the database, and also our model has the same number of properties, and the code has to be repeated 6-7 times at different scenarios? Now do we still follow such a strategy of binding each property from the database to the model? Trust me, the code will be 100 pages large, and will be charging five times the effort just to bind the model from the domain entities.

To overcome this tedious situation AutoMapper is introduced. It not only reduces the effort, but also limits the execution time that has been taken by such a large number of lines to execute.

Auto Mapper

AutoMapper is an open source library provided in GitHub.

As per the AutoMapper CodePlex webpage: "AutoMapper is an object-object mapper. Object-object mapping works by transforming an input object of one type into an output object of a different type. What makes AutoMapper interesting is that it provides some interesting conventions to take the dirty work out of figuring out how to map type A to type B. As long as type B follows AutoMapper's established conventions, almost zero configuration is needed to map two types." Therefore, it provides the solution for our mapping issue.

Image 1

Install AutoMapper

Firstly install the NuGet Package Manager in your Visual Studio IDE. Once done, go to:

Tools -> Library Packet Manager -> Packet manager Console

Then in the console window opened at the bottom of Visual Studio, type:

PM> Install-Package AutoMapper

Press Enter, this will install AutoMapper and the next time you open an MVC application in Visual Studio, it will automatically add a DLL reference to the project.

Image 2

AutoMapper in Action

Let's create an MVC application first. You can create an MVC application and connect it with the database using LINQ to SQL following my article: http://www.codeproject.com/Articles/620197/Learning-MVC-Part-2-Creating-MVC-Application-and-P 

I have also attached the code for an existing MVC application used without AutoMapper. Now let’s evaluate all the Controller Actions one by one and convert the code using AutoMapper.

Step 1: Create a database for the existing application, the database script is attached with the source code:

Image 3

Open the existing MVC application in Visual Studio:

Image 4

See that AutoMapper is referenced in the project, now use that namespace in MyController, as:

Image 5

Step 2: Index Action:

In the very first Action of our controller MyController (found under the Controllers folder), Index Action, we see the code:

C#
public ActionResult Index()
{
    var dbContext = new MyDBDataContext();
    var userList = from user in dbContext.Users select user;
    var users = new List<LearningMVC.Models.User>();
    if (userList.Any())
    {
        foreach (var user in userList)
        {
            users.Add(new LearningMVC.Models.User()
                {
                    UserId = user.UserId, 
                    Address = user.Address, 
                    Company = user.Company, 
                    FirstName = user.FirstName,
                    LastName = user.LastName,
                    Designation = user.Designation,
                    EMail = user.EMail, 
                    PhoneNo = user.PhoneNo
                });
        }
    }
  
    return View(users);
}

Now where will AutoMapper fit in here? You know that it will be used to replace the property mapping done one by one in the code, therefore, at the first line of code, define an AutoMap. To create the default mapping, call Mapper.CreateMap<T1, T2>() with proper types. In this case, T1 will be LearningMVC.User and T2 will be LearningMVC.Models.User.

C#
Mapper.CreateMap<LearningMVC.User, LearningMVC.Models.User>();
  • LearningMVC.User -> DTO Object Class
  • LearningMVC.Models.User -> Model Class to bind the View

So, here we define a mapping between DTO and the Model class with the help of the AutoMapper class.

Now inside the foreach loop, replace the whole code by:

C#
LearningMVC.Models.User userModel = Mapper.Map<LearningMVC.User, LearningMVC.Models.User>(user);
users.Add(userModel);

Finally call the Mapper.Map<T1, T2>(obj1) to get the mapped object of T2.

So, our final Action code:

C#
public ActionResult Index()
{
    Mapper.CreateMap<LearningMVC.User, LearningMVC.Models.User>();
    var dbContext = new MyDBDataContext();
    var userList = from user in dbContext.Users select user;
    var users = new List<LearningMVC.Models.User>();
    if (userList.Any())
    {
        foreach (var user in userList)
        {
            LearningMVC.Models.User userModel = 
              Mapper.Map<LearningMVC.User, LearningMVC.Models.User>(user);
            users.Add(userModel);
        }
    }
    return View(users);
}

We see now, we escaped the boring work of matching properties one by one. Now run the application, and you’ll see the application running as before.

Image 6

Step 3: Details Action:

Existing code
C#
public ActionResult Details(int? id)
{
    var dbContext = new MyDBDataContext();
    var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
    var user = new LearningMVC.Models.User();
    if (userDetails != null)
    {
        user.UserId = userDetails.UserId;
        user.FirstName = userDetails.FirstName;
        user.LastName = userDetails.LastName;
        user.Address = userDetails.Address;
        user.PhoneNo = userDetails.PhoneNo;
        user.EMail = userDetails.EMail;
        user.Company = userDetails.Company;
        user.Designation = userDetails.Designation;
    }
    return View(user);
}
New code with AutoMapper
C#
public ActionResult Details(int? id)
{
    var dbContext = new MyDBDataContext();
    Mapper.CreateMap<LearningMVC.User, LearningMVC.Models.User>();
    var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
    LearningMVC.Models.User user = 
      Mapper.Map<LearningMVC.User, LearningMVC.Models.User>(userDetails);
    return View(user);
}

Step 4: Create Action (POST)

Existing code:
C#
[HttpPost]
public ActionResult Create(LearningMVC.Models.User userDetails)
{
    try
    {
        var dbContext = new MyDBDataContext();
        var user = new User();
        if (userDetails != null)
        {
            user.UserId = userDetails.UserId;
            user.FirstName = userDetails.FirstName;
            user.LastName = userDetails.LastName;
            user.Address = userDetails.Address;
            user.PhoneNo = userDetails.PhoneNo;
            user.EMail = userDetails.EMail;
            user.Company = userDetails.Company;
            user.Designation = userDetails.Designation;
        }
        dbContext.Users.InsertOnSubmit(user);
        dbContext.SubmitChanges();
        return RedirectToAction("Index");
    }
    catch
    {
        return View();
    }
}
New code with AutoMapper:
C#
[HttpPost]
public ActionResult Create(LearningMVC.Models.User userDetails)
{
    try
    {
        Mapper.CreateMap<LearningMVC.Models.User, LearningMVC.User>();
        var dbContext = new MyDBDataContext();
        var user = Mapper.Map<LearningMVC.Models.User, LearningMVC.User>(userDetails);
        dbContext.Users.InsertOnSubmit(user);
        dbContext.SubmitChanges();
        return RedirectToAction("Index");
    }
    catch
    {
        return View();
    }
}

Note that, in here we interchange the mapping because now we have to read from the Model and bind to our DTO for Create Action, so just interchange the mapping and run the application. Now our T1 is Model and T2 is DTO.

Step 5: Edit Action:

Existing Code
C#
public ActionResult Edit(int? id)
{
    var dbContext = new MyDBDataContext();
    var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
    var user = new LearningMVC.Models.User();
    if (userDetails != null)
    {
        user.UserId = userDetails.UserId;
        user.FirstName = userDetails.FirstName;
        user.LastName = userDetails.LastName;
        user.Address = userDetails.Address;
        user.PhoneNo = userDetails.PhoneNo;
        user.EMail = userDetails.EMail;
        user.Company = userDetails.Company;
        user.Designation = userDetails.Designation;
    }
    return View(user);
}
New code with AutoMapper
C#
public ActionResult Edit(int? id)
{
    Mapper.CreateMap<LearningMVC.User, LearningMVC.Models.User>();
    var dbContext = new MyDBDataContext();
    var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
    var user = Mapper.Map<LearningMVC.User, LearningMVC.Models.User>(userDetails)
    return View(user);
}

Step 6: Delete Action:

Existing code
C#
public ActionResult Delete(int? id)
{
    var dbContext = new MyDBDataContext();
    var user = new LearningMVC.Models.User();
    var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
    if (userDetails != null)
    {
        user.FirstName = userDetails.FirstName;
        user.LastName = userDetails.LastName;
        user.Address = userDetails.Address;
        user.PhoneNo = userDetails.PhoneNo;
        user.EMail = userDetails.EMail;
        user.Company = userDetails.Company;
        user.Designation = userDetails.Designation;
    }
    return View(user);
}
New code using AutoMapper
C#
public ActionResult Delete(int? id)
{
    var dbContext = new MyDBDataContext();
    Mapper.CreateMap<LearningMVC.User, LearningMVC.Models.User>();
    var userDetails = dbContext.Users.FirstOrDefault(userId => userId.UserId == id);
    var user = Mapper.Map<LearningMVC.User, LearningMVC.Models.User>(userDetails);
    return View(user);
}

ForMember() and MapFrom() in AutoMapper

Two important functions in AutoMapper play an important role in object mapping. Suppose our model/viewmodel class has a property FullName, and from the DTO we want to add the First Name and Last Name of the user to make it a full name and bind it to the model. For these kinds of scenarios ForMember() and MapFrom() come in handy. See below code:

C#
Mapper.CreateMap<LearningMVC.User, LearningMVC.Models.User>().ForMember(emp => emp.Fullname,
map => map.MapFrom(p => p.FirstName + " " + p.LastName));

Here we are saying that ForMember FullName in our model class maps properties from FirstName and LastName of User DTO.

The code itself is self-explanatory. This kind of mapping is also called Custom Mapping.

Conclusion

In this article we learnt how to do custom mapping and entity to entity mapping with the help of AutoMapper. Since this was just a glimpse of the concept there is a lot more to explore in this topic in detail.

I have skipped the POST methods for Edit and Delete, this will be a kind of homework for you. Once you completely follow and understand, you can easily complete those two pending Actions as well. 

This article has been selected as Article of the Day on Microsoft's site http://www.asp.net/community/articles[^] on 29 October 2013. 

 

Happy coding!

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect https://codeteddy.com/
India India
Akhil Mittal is two times Microsoft MVP (Most Valuable Professional) firstly awarded in 2016 and continued in 2017 in Visual Studio and Technologies category, C# Corner MVP since 2013, Code Project MVP since 2014, a blogger, author and likes to write/read technical articles, blogs, and books. Akhil is a technical architect and loves to work on complex business problems and cutting-edge technologies. He has an experience of around 15 years in developing, designing, and architecting enterprises level applications primarily in Microsoft Technologies. He has diverse experience in working on cutting-edge technologies that include Microsoft Stack, AI, Machine Learning, and Cloud computing. Akhil is an MCP (Microsoft Certified Professional) in Web Applications and Dot Net Framework.
Visit Akhil Mittal’s personal blog CodeTeddy (CodeTeddy ) for some good and informative articles. Following are some tech certifications that Akhil cleared,
• AZ-304: Microsoft Azure Architect Design.
• AZ-303: Microsoft Azure Architect Technologies.
• AZ-900: Microsoft Azure Fundamentals.
• Microsoft MCTS (70-528) Certified Programmer.
• Microsoft MCTS (70-536) Certified Programmer.
• Microsoft MCTS (70-515) Certified Programmer.

LinkedIn: https://www.linkedin.com/in/akhilmittal/
This is a Collaborative Group

779 members

Comments and Discussions

 
QuestionHttp post actions Pin
Jhon Jairo Hernández Pulgarín14-Jul-20 9:27
Jhon Jairo Hernández Pulgarín14-Jul-20 9:27 
QuestionPerformance Issue Pin
Member 1039634514-Apr-17 0:05
Member 1039634514-Apr-17 0:05 
QuestionGetting Error pls help Pin
sunil314-Apr-16 19:12
sunil314-Apr-16 19:12 
QuestionBest Artical Pin
sunil313-Apr-16 2:19
sunil313-Apr-16 2:19 
AnswerRe: Best Artical Pin
Akhil Mittal13-Apr-16 3:08
professionalAkhil Mittal13-Apr-16 3:08 
GeneralMy Vote of 4 Pin
Alireza_13621-Mar-16 15:57
Alireza_13621-Mar-16 15:57 
GeneralRe: My Vote of 4 Pin
Akhil Mittal1-Mar-16 19:08
professionalAkhil Mittal1-Mar-16 19:08 
QuestionMapping ViewModel to Entities Pin
Clement Gitonga17-Oct-15 19:11
professionalClement Gitonga17-Oct-15 19:11 
QuestionAuto mapper impact on performance Pin
Kashif Ansari 1232-Aug-15 2:11
Kashif Ansari 1232-Aug-15 2:11 
AnswerRe: Auto mapper impact on performance Pin
Member 1039634513-Apr-17 23:59
Member 1039634513-Apr-17 23:59 
Questiondropped it Pin
CarelAgain20-Jul-15 10:12
professionalCarelAgain20-Jul-15 10:12 
Questiona much better choice would be Value Injecter or Emit Mapper Pin
Member 82213721-Feb-15 22:15
Member 82213721-Feb-15 22:15 
AnswerRe: a much better choice would be Value Injecter or Emit Mapper Pin
Akhil Mittal1-Feb-15 22:19
professionalAkhil Mittal1-Feb-15 22:19 
GeneralRe: a much better choice would be Value Injecter or Emit Mapper Pin
Bahram Ettehadieh9-Apr-15 1:59
Bahram Ettehadieh9-Apr-15 1:59 
QuestionHow to make it work in VS2013? Pin
Lechuss9-Dec-14 10:26
Lechuss9-Dec-14 10:26 
GeneralMy vote of 4 Pin
cercoreca29-Nov-14 4:48
cercoreca29-Nov-14 4:48 
AnswerRe: My vote of 4 Pin
Akhil Mittal29-Nov-14 7:16
professionalAkhil Mittal29-Nov-14 7:16 
QuestionMon vote de 5 Pin
BLeguillou26-Nov-14 20:45
professionalBLeguillou26-Nov-14 20:45 
AnswerRe: Mon vote de 5 Pin
Akhil Mittal26-Nov-14 20:48
professionalAkhil Mittal26-Nov-14 20:48 
Question[My vote of 2] Vote of 2 Pin
tesnep24-Aug-14 20:34
professionaltesnep24-Aug-14 20:34 
AnswerRe: [My vote of 2] Vote of 2 Pin
Akhil Mittal24-Aug-14 20:40
professionalAkhil Mittal24-Aug-14 20:40 
AnswerRe: [My vote of 2] Vote of 2 Pin
Antonio Ripa4-Nov-14 7:04
professionalAntonio Ripa4-Nov-14 7:04 
AnswerRe: [My vote of 2] Vote of 2 Pin
Antonio Ripa4-Nov-14 7:04
professionalAntonio Ripa4-Nov-14 7:04 
GeneralMy vote of 5 Pin
Humayun Kabir Mamun13-Jul-14 23:35
Humayun Kabir Mamun13-Jul-14 23:35 
GeneralRe: My vote of 5 Pin
Akhil Mittal13-Jul-14 23:36
professionalAkhil Mittal13-Jul-14 23:36 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.