Click here to Skip to main content
15,867,308 members
Articles / Programming Languages / C#

Complete CRUD Operations in MVC 4 using Entity Framework 5 Without Writing a Single Line of Code

Rate me:
Please Sign up or sign in to vote.
4.84/5 (96 votes)
26 Nov 2014CPOL4 min read 463.9K   11.3K   152   68
Complete CRUD Operations in MVC 4 using Entity Framework 5 without writing a single line of code.

Introduction

In this article, I’ll describe how to perform basic CRUD operations in an MVC4 application with the help of Entity Framework 5 without writing a single line of code. EF and MVC had advanced themselves to the level that we don’t have to put effort in doing extra work.

I) MVC

Model: The business entity on which the overall application operates. Many applications use a persistent storage mechanism (such as a database) to store data. MVC does not specifically mention the data access layer because it is understood to be encapsulated by the Model.

View: The user interface that renders the model into a form of interaction.

Controller: Handles a request from a view and updates the model that results a change in Model’s state.

To implement MVC in .NET, we need mainly three classes (View, Controller and the Model).

II) Entity Framework

Let’s have a look at the standard definition of Entity Framework given by Microsoft:

“The Microsoft ADO.NET Entity Framework is an Object/Relational Mapping (ORM) framework that enables developers to work with relational data as domain-specific objects, eliminating the need for most of the data access plumbing code that developers usually need to write. Using the Entity Framework, developers issue queries using LINQ, then retrieve and manipulate data as strongly typed objects. The Entity Framework’s ORM implementation provides services like change tracking, identity resolution, lazy loading, and query translation so that developers can focus on their application-specific business logic rather than the data access fundamentals.”

In a simple language, Entity framework is an Object/Relational Mapping (ORM) framework. It is an enhancement to ADO.NET, an upper layer to ADO.NET that gives developers an automated mechanism for accessing & storing the data in the database.

Hope this gives a glimpse of an ORM and EntityFramework.

III) MVC Application

Step 1: Create a database named LearningKO and add a table named student to it, script of the table is as follows:

SQL
USE [LearningKO]
GO
/****** Object:  Table [dbo].[Student]    Script Date: 12/04/2013 23:58:12 ******/
SET ANSI_NULLS ON
GO
SET QUOTED_IDENTIFIER ON
GO
CREATE TABLE [dbo].[Student](
	[StudentId] [nvarchar](10) NOT NULL,
	[FirstName] [nvarchar](50) NULL,
	[LastName] [nvarchar](50) NULL,
	[Age] [int] NULL,
	[Gender] [nvarchar](50) NULL,
	[Batch] [nvarchar](50) NULL,
	[Address] [nvarchar](50) NULL,
	[Class] [nvarchar](50) NULL,
	[School] [nvarchar](50) NULL,
	[Domicile] [nvarchar](50) NULL,
 CONSTRAINT [PK_Student] PRIMARY KEY CLUSTERED 
(
	[StudentId] ASC
)WITH (PAD_INDEX  = OFF, STATISTICS_NORECOMPUTE  = OFF, _
IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS  = ON, ALLOW_PAGE_LOCKS  = ON) ON [PRIMARY]
) ON [PRIMARY]
GO
INSERT [dbo].[Student] ([StudentId], [FirstName], [LastName], [Age], _
[Gender], [Batch], [Address], [Class], [School], [Domicile]) _
VALUES (N'1', N'Akhil', N'Mittal', 28, N'Male', N'2006', N'Noida', N'Tenth', N'LFS', N'Delhi')
INSERT [dbo].[Student] ([StudentId], [FirstName], [LastName], [Age], _
[Gender], [Batch], [Address], [Class], [School], [Domicile]) _
VALUES (N'2', N'Parveen', N'Arora', 25, N'Male', N'2007', N'Noida', N'8th', N'DPS', N'Delhi')
INSERT [dbo].[Student] ([StudentId], [FirstName], [LastName], [Age], _
[Gender], [Batch], [Address], [Class], [School], [Domicile]) _
VALUES (N'3', N'Neeraj', N'Kumar', 38, N'Male', _
N'2011', N'Noida', N'10th', N'MIT', N'Outside Delhi')
INSERT [dbo].[Student] ([StudentId], [FirstName], [LastName], [Age], _
[Gender], [Batch], [Address], [Class], [School], [Domicile]) _
VALUES (N'4', N'Ekta', N'Mittal', 25, N'Female', N'2005', N' Noida', N'12th', N'LFS', N'Delhi')

Image 1

Step 2: Open your Visual Studio (Visual Studio Version should be greater than or equal to 12) and add an MVC Internet application.

Image 2

Image 3

I have given it a name “KnockoutWithMVC4”.

Step 3: You’ll get a full structured MVC application with default Home controller in the Controller folder. By default, entity framework is downloaded as a package inside application folder but if not, you can add entity framework package by right clicking the project, select manage nugget packages and search and install Entity Framework.

Image 4

Image 5

Step 4: Right click project file, select add new item and add ADO.NET entity data model, follow the steps in the wizard as shown below:

Image 6

Image 7

Image 8

Generate model from database, select your server and LearningKO database name, the connection string will automatically be added to your Web.Config, name that connection string as LearningKOEntities.

Image 9

Select tables to be added to the model. In our case, it’s Student Table.

Image 10

Step 5: Now add a new controller to the Controller folder, right click controller folder and add a controller named Student. Since we have already created our Datamodel, we can choose for an option where CRUD actions are created by chosen Entity Framework Datamodel:

Image 11

Image 12

  • Name your controller as StudentController.
  • From Scaffolding Options, select “MVC controller with read/write actions and views, using Entity Framework”.
  • Select Model class as Student, that lies in our solution.
  • Select Data context class as LearningKOEntities that is added to our solution when we added EF data model.
  • Select Razor as rendering engine for views.
  • Click Advanced options, select Layout or master page and select _Layout.cshtml from the shared folder.

Image 13

Step 6: We see our student controller prepared with all the CRUD operation actions as shown below:

C#
using System;
using System.Collections.Generic;
using System.Data;
using System.Data.Entity;
using System.Linq;
using System.Web;
using System.Web.Mvc;
	
namespace KnockoutWithMVC4.Controllers
{
    public class StudentController : Controller
    {
        private LearningKOEntities db = new LearningKOEntities();
	
        //
        // GET: /Student/
	
        public ActionResult Index()
        {
            return View(db.Students.ToList());
        }
	
        //
        // GET: /Student/Details/5
	
        public ActionResult Details(string id = null)
        {
            Student student = db.Students.Find(id);
            if (student == null)
            {
                return HttpNotFound();
            }
            return View(student);
        }
	
        //
        // GET: /Student/Create

        public ActionResult Create()
        {
            return View();
        }
	
        //
        // POST: /Student/Create

        [HttpPost]
        [ValidateAntiForgeryToken]
        public ActionResult Create(Student student)
        {
            if (ModelState.IsValid)
            {
                db.Students.Add(student);
                db.SaveChanges();
                return RedirectToAction("Index");
            }
	
            return View(student);
        }
	
        //
        // GET: /Student/Edit/5
	
        public ActionResult Edit(string id = null)
        {
            Student student = db.Students.Find(id);
            if (student == null)
            {
                return HttpNotFound();
            }
            return View(student);
        }
	
        //
        // POST: /Student/Edit/5
	
        [HttpPost]
        [ValidateAntiForgeryToken]
        public ActionResult Edit(Student student)
        {
            if (ModelState.IsValid)
            {
                db.Entry(student).State = EntityState.Modified;
                db.SaveChanges();
                return RedirectToAction("Index");
            }
            return View(student);
        }
	
        //
        // GET: /Student/Delete/5

        public ActionResult Delete(string id = null)
        {
            Student student = db.Students.Find(id);
            if (student == null)
            {
	                return HttpNotFound();
            }
            return View(student);
        }
	
        //
        // POST: /Student/Delete/5
	
        [HttpPost, ActionName("Delete")]
        [ValidateAntiForgeryToken]
        public ActionResult DeleteConfirmed(string id)
        {
            Student student = db.Students.Find(id);
            db.Students.Remove(student);
            db.SaveChanges();
            return RedirectToAction("Index");
        }
	
        protected override void Dispose(bool disposing)
        {
            db.Dispose();
            base.Dispose(disposing);
        }
    }
}

Step 7: Open App_Start folder and, change the name of controller from Home to Student.

Image 14

The code will become as:

C#
public static void RegisterRoutes(RouteCollection routes)
{
    routes.IgnoreRoute("{resource}.axd/{*pathInfo}");

    routes.MapRoute(
        name: "Default",
        url: "{controller}/{action}/{id}",
        defaults: new { controller = "Student", 
        action = "Index", id = UrlParameter.Optional }
    );
}

Step 8: Now press F5 to run the application, and you’ll see the list of all students we added into table Student while creating it is displayed. Since the CRUD operations are automatically written, we have action results for display list and other Edit, Delete and Create operations. Note that views for all the operations are created in Views Folder under Student Folder name.

Image 15

Now you can perform all the operations on this list.

Image 16

Image 17

Since I have not provided any validation checks on model or creating an existing student id, the code may break, so I am calling Edit Action in create when we find that id already exists.

Image 18

Now create new student.

Image 19

We see that the student is created successfully and added to the list.

Image 20

In database:

Image 21

Similarly for Edit:

Image 22

Change any field and press save. The change will be reflected in the list and database:

Image 23

For Delete:

Image 24

Student deleted.

Image 25

And in database:

Image 26

Not a single line of code is written till now.

Image 27

Conclusion

In this tutorial, we learnt to setup environment for MVC and Entity Framework 5 and perform CRUD operations on Student model without writing a single line of code. You can expand the application by adding multiple Controllers, Models and Views.

Note: Few of the images in this article are taken via Google search.

You can follow my articles at csharppulse.blogspot.in.

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

 
Suggestionsingle line code Pin
Member 1221723823-Aug-19 20:15
Member 1221723823-Aug-19 20:15 
QuestionMVC PROJECT Pin
Member 1379876925-Apr-18 18:29
Member 1379876925-Apr-18 18:29 
Questionproject Pin
Member 137628864-Apr-18 10:34
Member 137628864-Apr-18 10:34 
Question.net crud operation Pin
Member 137628864-Apr-18 8:40
Member 137628864-Apr-18 8:40 
Questionque: Pin
Member 1290784316-Dec-16 0:11
Member 1290784316-Dec-16 0:11 
QuestionWorked great Pin
raremother13-Nov-16 12:26
raremother13-Nov-16 12:26 
AnswerRe: Worked great Pin
Akhil Mittal14-Nov-16 17:58
professionalAkhil Mittal14-Nov-16 17:58 
Questionsam789 Pin
Member 1165084916-Sep-16 7:53
Member 1165084916-Sep-16 7:53 
AnswerSam456 Pin
Member 1165084916-Sep-16 7:43
Member 1165084916-Sep-16 7:43 
QuestionProvide source code for Download Pin
Balaram22424-Jul-16 23:23
professionalBalaram22424-Jul-16 23:23 
AnswerRe: Provide source code for Download Pin
Akhil Mittal24-Jul-16 23:33
professionalAkhil Mittal24-Jul-16 23:33 
SuggestionError creating new and solution Pin
VagnerKiesse15-Jun-15 5:28
professionalVagnerKiesse15-Jun-15 5:28 
GeneralRESTful API Pin
Akhil Mittal18-May-15 18:57
professionalAkhil Mittal18-May-15 18:57 
QuestionReally nice article Pin
Member 1002407712-May-15 20:49
Member 1002407712-May-15 20:49 
AnswerRe: Really nice article Pin
Akhil Mittal12-May-15 23:22
professionalAkhil Mittal12-May-15 23:22 
GeneralAWESOME Pin
marcelinha14-Apr-15 10:29
professionalmarcelinha14-Apr-15 10:29 
GeneralRe: AWESOME Pin
Akhil Mittal29-Apr-15 1:57
professionalAkhil Mittal29-Apr-15 1:57 
GeneralRe: AWESOME Pin
Akhil Mittal18-May-15 18:56
professionalAkhil Mittal18-May-15 18:56 
Questiondatanotation issue in .edmx Pin
Saineshwar Bageri25-Dec-14 2:30
Saineshwar Bageri25-Dec-14 2:30 
GeneralQUery Pin
Member 10745682-Dec-14 17:05
Member 10745682-Dec-14 17:05 
QuestionProblem with Create Pin
Vikash Ranjan Jha24-Nov-14 22:58
professionalVikash Ranjan Jha24-Nov-14 22:58 
AnswerRe: Problem with Create Pin
Akhil Mittal25-Nov-14 18:50
professionalAkhil Mittal25-Nov-14 18:50 
QuestionGood Example Pin
Member 111137406-Nov-14 18:28
Member 111137406-Nov-14 18:28 
AnswerRe: Good Example Pin
Akhil Mittal7-Nov-14 1:27
professionalAkhil Mittal7-Nov-14 1:27 
QuestionHaving a Error While Creating a Data Pin
Maria Norbert10-Oct-14 2:38
Maria Norbert10-Oct-14 2:38 

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.