KEMBAR78
Crud Operations in ASP - Net MVC 5 Using Ado | PDF | Model–View–Controller | Active Server Pages
0% found this document useful (1 vote)
810 views11 pages

Crud Operations in ASP - Net MVC 5 Using Ado

This document provides step-by-step instructions for performing CRUD operations in an ASP.NET MVC 5 application using ADO.NET. It begins by having the reader create an empty MVC application and a model class. It then instructs them to create a database table and stored procedures. Next, it explains how to create a repository class to handle database operations. Finally, it describes adding methods to the controller to call the repository methods and perform CRUD functionality.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (1 vote)
810 views11 pages

Crud Operations in ASP - Net MVC 5 Using Ado

This document provides step-by-step instructions for performing CRUD operations in an ASP.NET MVC 5 application using ADO.NET. It begins by having the reader create an empty MVC application and a model class. It then instructs them to create a database table and stored procedures. Next, it explains how to create a repository class to handle database operations. Finally, it describes adding methods to the controller to call the repository methods and perform CRUD functionality.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 11

Compile

Mode
HOME

ASP.NET

MVC

C#

WCF

Web Services

Web API

SignalR

SQL

ASPOSE

FEATURED

CRUD Operations In ASP.NET MVC 5 Using


ADO.NET
FiledUnder:ADO.NET,ASP.NET,MVC,MVC5on19Sep2015
Introduction
After awesome response of an published by me in the year 2013: Insert, Update, Delete In GridView Using
ASP.Net C#. It now has more than 140 K views, therefore to help beginners I decided to rewrite the article with
step by step approach using ASP.NET MVC, since it is a hot topic in the market today. I have written this article
focusing on beginners so they can understand the basics of MVC. Please read my previous article using the
following links to understand the basics about MVC:
CRUD Operations In ASP.NET MVC 5 Using Dapper
ActionResult in ASP.NET MVC.
Creating an ASP.NET MVC Application.
Convert DataTable To Generic List In ASP.NET MVC .
Show Confirm Alert Box on ActionLink Click In ASP.NET MVC.
Convert DataTable To Generic List Using LINQ In ASP.NET MVC.
How to Change ActionLink Text Color In ASP.NET MVC .
How to Call Another Controller View Using ActionLink In ASP.NET MVC .
Convert DataTable To Generic List Using AsEnumerable In ASP.NET MVC .
Step 1 : Create an MVC Application.
Download Aspose : API To Create and Convert Files
Now let us start with a step by step approach from the creation of simple MVC application as in the following:
1. "Start", then "All Programs" and select "Microsoft Visual Studio 2015".
2. "File", then "New" and click "Project..." then select "ASP.NET Web Application Template", then provide the
Project a name as you wish and click on OK. After clicking, the following window will appear:

3. As shown in the preceding screenshot, click on Empty template and check MVC option, then click OK. This
will create an empty MVC web application whose Solution Explorer will look like the following:

Speaking

About Me

Step 2: Create Model Class


Now let us create the model class named EmpModel.cs by right clicking on model folder as in the following
screenshot:

Note: It is not mandatory that Model class should be in Model folder, it is just for better readability you can
create this class anywhere in the solution explorer. This can be done by creating different folder name or
without folder name or in a separate class library.
EmpModel.cs class code snippet:
Download Aspose : API To Create and Convert Files
publicclassEmpModel
{
[Display(Name="Id")]
publicintEmpid{get;set;}

[Required(ErrorMessage="Firstnameisrequired.")]
publicstringName{get;set;}

[Required(ErrorMessage="Cityisrequired.")]
publicstringCity{get;set;}

[Required(ErrorMessage="Addressisrequired.")]
publicstringAddress{get;set;}

In the above model class we have added some validation on properties with the help of DataAnnotations.
Step 3: Create Controller.
Now let us add the MVC 5 controller as in the following screenshot:

After clicking on Add button it will show the following window. Now specify the Controller name as Employee
with suffixController as in the following screenshot:

Note: The controller name must be having suffix as 'Controller' after specifying the name of controller.
After clicking on Add button controller is created with by default code that support CRUD operations and later
on we can configure it as per our requirements.
Step 4 : Create Table and Stored procedures.
Now before creating the views let us create the table name Employee in database according to our model fields
to store the details:

I hope you have created the same table structure as shown above. Now create the stored procedures to insert,
update, view and delete the details as in the following code snippet:
To Insert Records
Createprocedure[dbo].[AddNewEmpDetails]
(
@Namevarchar(50),
@Cityvarchar(50),
@Addressvarchar(50)
)
as
begin
InsertintoEmployeevalues(@Name,@City,@Address)
End

To View Added Records


CreateProcedure[dbo].[GetEmployees]
as
begin
select*fromEmployee
End
To Update Records
Createprocedure[dbo].[UpdateEmpDetails]
(
@EmpIdint,
@Namevarchar(50),
@Cityvarchar(50),
@Addressvarchar(50)
)
as
begin
UpdateEmployee
setName=@Name,
City=@City,
Address=@Address
whereId=@EmpId
End
To Delete Records
Createprocedure[dbo].[DeleteEmpById]
(
@EmpIdint
)
as
begin
DeletefromEmployeewhereId=@EmpId
End
Step 5: Create Repository class.
Now create Repository folder and Add EmpRepository.cs class for database related operations, after adding the
solution explorer will look like the following screenshot:

Now create methods in EmpRepository.cs to handle the CRUD operation as in the following screenshot:
EmpRepository.cs
usingSystem;
usingSystem.Collections.Generic;
usingSystem.Configuration;
usingSystem.Data;
usingSystem.Data.SqlClient;
usingCRUDUsingMVC.Models;
usingSystem.Linq;
namespaceCRUDUsingMVC.Repository
{
publicclassEmpRepository

{
privateSqlConnectioncon;
//ToHandleconnectionrelatedactivities
privatevoidconnection()
{
stringconstr=ConfigurationManager.ConnectionStrings["getconn"].ToString();
con=newSqlConnection(constr);
}
//ToAddEmployeedetails
publicboolAddEmployee(EmpModelobj)
{
connection();
SqlCommandcom=newSqlCommand("AddNewEmpDetails",con);
com.CommandType=CommandType.StoredProcedure;
com.Parameters.AddWithValue("@Name",obj.Name);
com.Parameters.AddWithValue("@City",obj.City);
com.Parameters.AddWithValue("@Address",obj.Address);

con.Open();
inti=com.ExecuteNonQuery();
con.Close();
if(i>=1)
{
returntrue;
}
else
{
returnfalse;
}

}
//Toviewemployeedetailswithgenericlist
publicList<EmpModel>GetAllEmployees()
{
connection();
List<EmpModel>EmpList=newList<EmpModel>();
SqlCommandcom=newSqlCommand("GetEmployees",con);
com.CommandType=CommandType.StoredProcedure;
SqlDataAdapterda=newSqlDataAdapter(com);
DataTabledt=newDataTable();
con.Open();
da.Fill(dt);
con.Close();
//BindEmpModelgenericlistusingLINQ
EmpList=(fromDataRowdrindt.Rows
selectnewEmpModel()
{
Empid=Convert.ToInt32(dr["Id"]),
Name=Convert.ToString(dr["Name"]),
City=Convert.ToString(dr["City"]),
Address=Convert.ToString(dr["Address"])
}).ToList();

returnEmpList;

}
//ToUpdateEmployeedetails
publicboolUpdateEmployee(EmpModelobj)
{
connection();
SqlCommandcom=newSqlCommand("UpdateEmpDetails",con);

com.CommandType=CommandType.StoredProcedure;

com.Parameters.AddWithValue("@EmpId",obj.Empid);
com.Parameters.AddWithValue("@Name",obj.Name);
com.Parameters.AddWithValue("@City",obj.City);
com.Parameters.AddWithValue("@Address",obj.Address);
con.Open();
inti=com.ExecuteNonQuery();
con.Close();
if(i>=1)
{

returntrue;
}
else
{
returnfalse;
}

}
//TodeleteEmployeedetails
publicboolDeleteEmployee(intId)
{
connection();
SqlCommandcom=newSqlCommand("DeleteEmpById",con);
com.CommandType=CommandType.StoredProcedure;
com.Parameters.AddWithValue("@EmpId",Id);

con.Open();
inti=com.ExecuteNonQuery();
con.Close();
if(i>=1)
{

returntrue;
}
else
{
returnfalse;
}

}
}
}
Step 6 : Create Methods into the EmployeeController.cs file.
Download Aspose : API To Create and Convert Files
Now open the EmployeeController.cs and create the following action methods:
publicclassEmployeeController:Controller
{

//GET:Employee/GetAllEmpDetails
publicActionResultGetAllEmpDetails()
{

EmpRepositoryEmpRepo=newEmpRepository();
ModelState.Clear();
returnView(EmpRepo.GetAllEmployees());
}
//GET:Employee/AddEmployee
publicActionResultAddEmployee()
{
returnView();
}

//POST:Employee/AddEmployee
[HttpPost]

publicActionResultAddEmployee(EmpModelEmp)
{
try
{
if(ModelState.IsValid)
{
EmpRepositoryEmpRepo=newEmpRepository();

if(EmpRepo.AddEmployee(Emp))
{
ViewBag.Message="Employeedetailsaddedsuccessfully";
}
}

returnView();
}
catch
{
returnView();
}
}

//GET:Employee/EditEmpDetails/5
publicActionResultEditEmpDetails(intid)
{
EmpRepositoryEmpRepo=newEmpRepository();

returnView(EmpRepo.GetAllEmployees().Find(Emp=>Emp.Empid==id));

//POST:Employee/EditEmpDetails/5
[HttpPost]

publicActionResultEditEmpDetails(intid,EmpModelobj)
{
try
{
EmpRepositoryEmpRepo=newEmpRepository();

EmpRepo.UpdateEmployee(obj);

returnRedirectToAction("GetAllEmpDetails");
}
catch
{
returnView();
}
}

//GET:Employee/DeleteEmp/5
publicActionResultDeleteEmp(intid)
{
try
{
EmpRepositoryEmpRepo=newEmpRepository();
if(EmpRepo.DeleteEmployee(id))
{
ViewBag.AlertMsg="Employeedetailsdeletedsuccessfully";

}
returnRedirectToAction("GetAllEmpDetails");

}
catch
{
returnView();
}
}


}
Step 7: Create Views.
Create the Partial view to Add the employees
To create the Partial View to add Employees, right click on ActionResult method and then click Add view. Now
specify the view name, template name and model class in EmpModel.cs and click on Add button as in the
following screenshot:

After clicking on Add button it generates the strongly typed view whose code is given below:
AddEmployee.cshtml
@modelCRUDUsingMVC.Models.EmpModel
@using(Html.BeginForm())
{

@Html.AntiForgeryToken()

<divclass="formhorizontal">
<h4>AddEmployee</h4>
<div>
@Html.ActionLink("BacktoEmployeeList","GetAllEmpDetails")
</div>
<hr/>
@Html.ValidationSummary(true,"",new{@class="textdanger"})

<divclass="formgroup">
@Html.LabelFor(model=>model.Name,htmlAttributes:new{@class="controllabelcolmd2"})
<divclass="colmd10">
@Html.EditorFor(model=>model.Name,new{htmlAttributes=new{@class="formcontrol"}})
@Html.ValidationMessageFor(model=>model.Name,"",new{@class="textdanger"})
</div>
</div>

<divclass="formgroup">
@Html.LabelFor(model=>model.City,htmlAttributes:new{@class="controllabelcolmd2"})
<divclass="colmd10">
@Html.EditorFor(model=>model.City,new{htmlAttributes=new{@class="formcontrol"}})
@Html.ValidationMessageFor(model=>model.City,"",new{@class="textdanger"})
</div>
</div>

<divclass="formgroup">
@Html.LabelFor(model=>model.Address,htmlAttributes:new{@class="controllabelcolmd2"})
<divclass="colmd10">
@Html.EditorFor(model=>model.Address,new{htmlAttributes=new{@class="formcontrol"}})
@Html.ValidationMessageFor(model=>model.Address,"",new{@class="textdanger"})
</div>
</div>

<divclass="formgroup">
<divclass="colmdoffset2colmd10">
<inputtype="submit"value="Save"class="btnbtndefault"/>
</div>
</div>
<divclass="formgroup">
<divclass="colmdoffset2colmd10"style="color:green">
@ViewBag.Message

</div>
</div>
</div>

<scriptsrc="~/Scripts/jquery1.10.2.min.js"></script>
<scriptsrc="~/Scripts/jquery.validate.min.js"></script>
<scriptsrc="~/Scripts/jquery.validate.unobtrusive.min.js"></script>

To View Added Employees


To view the employee details let us create the partial view named GetAllEmpDetails:
Now click on add button, it will create GetAllEmpDetails.cshtml strongly typed view whose code is given below:
GetAllEmpDetails.CsHtml

@modelIEnumerable<CRUDUsingMVC.Models.EmpModel>

<p>
@Html.ActionLink("AddNewEmployee","AddEmployee")
</p>

<tableclass="table">
<tr>

<th>
@Html.DisplayNameFor(model=>model.Name)
</th>
<th>
@Html.DisplayNameFor(model=>model.City)
</th>
<th>
@Html.DisplayNameFor(model=>model.Address)
</th>
<th></th>
</tr>

@foreach(variteminModel)
{
@Html.HiddenFor(model=>item.Empid)
<tr>

<td>
@Html.DisplayFor(modelItem=>item.Name)
</td>
<td>
@Html.DisplayFor(modelItem=>item.City)
</td>
<td>
@Html.DisplayFor(modelItem=>item.Address)
</td>
<td>
@Html.ActionLink("Edit","EditEmpDetails",new{id=item.Empid})|
@Html.ActionLink("Delete","DeleteEmp",new{id=item.Empid},new{onclick="returnconfirm('Aresu
</td>
</tr>

}
</table>

To Update Added Employees


Follow the same procedure and create EditEmpDetails view to edit the employees. After creating the view the
code will be like the following:
EditEmpDetails.cshtml
@modelCRUDUsingMVC.Models.EmpModel
@using(Html.BeginForm())
{
@Html.AntiForgeryToken()

<divclass="formhorizontal">
<h4>UpdateEmployeeDetails</h4>
<hr/>
<div>
@Html.ActionLink("BacktoDetails","GetAllEmployees")
</div>
<hr/>
@Html.ValidationSummary(true,"",new{@class="textdanger"})
@Html.HiddenFor(model=>model.Empid)

<divclass="formgroup">
@Html.LabelFor(model=>model.Name,htmlAttributes:new{@class="controllabelcolmd2"})
<divclass="colmd10">
@Html.EditorFor(model=>model.Name,new{htmlAttributes=new{@class="formcontrol"}})
@Html.ValidationMessageFor(model=>model.Name,"",new{@class="textdanger"})
</div>
</div>

<divclass="formgroup">
@Html.LabelFor(model=>model.City,htmlAttributes:new{@class="controllabelcolmd2"})
<divclass="colmd10">
@Html.EditorFor(model=>model.City,new{htmlAttributes=new{@class="formcontrol"}})
@Html.ValidationMessageFor(model=>model.City,"",new{@class="textdanger"})
</div>
</div>

<divclass="formgroup">
@Html.LabelFor(model=>model.Address,htmlAttributes:new{@class="controllabelcolmd2"})
<divclass="colmd10">
@Html.EditorFor(model=>model.Address,new{htmlAttributes=new{@class="formcontrol"}})
@Html.ValidationMessageFor(model=>model.Address,"",new{@class="textdanger"})
</div>
</div>

<divclass="formgroup">
<divclass="colmdoffset2colmd10">
<inputtype="submit"value="Update"class="btnbtndefault"/>
</div>
</div>
</div>
}
<scriptsrc="~/Scripts/jquery1.10.2.min.js"></script>
<scriptsrc="~/Scripts/jquery.validate.min.js"></script>
<scriptsrc="~/Scripts/jquery.validate.unobtrusive.min.js"></script>

Step 8 : Configure Action Link to Edit and delete the records as in the following figure:

The above ActionLink I have added in GetAllEmpDetails.CsHtml view because from there we will delete and
update the records.

Step 9: Configure RouteConfig.cs to set default action as in the following code snippet:
publicclassRouteConfig
{
publicstaticvoidRegisterRoutes(RouteCollectionroutes)
{
routes.IgnoreRoute("{resource}.axd/{*pathInfo}");

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

From the above RouteConfig.cs the default action method we have set is AddEmployee. It means that after
running the application the AddEmployee view will be executed first.
Now after adding the all model, views and controller our solution explorer will be look like as in the following
screenshot:
Step 10: Run the application and then the output will be like as following demo
Demo
Click here to see Live Demo
DownLoad Sample
From the preceding examples we have learned how to implement CRUD operations in ASP.NET MVC using
ADO.NET.
Download Aspose : API To Create and Convert Files
Note:
Configure the database connection in the web.config file depending on your database server location.
Download the Zip file of the sample application for a better understanding .
Since this is a demo, it might not be using proper standards, so improve it depending on your skills
This application is created completely focusing on beginners.
Summary
My next article explains the types of controllers in MVC. I hope this article is useful for all readers. If you have
any suggestion then please contact me.
Download Aspose : API To Create and Convert Files

EMAIL

24Comments
Recommend 1

FACEBOOK

compilemode.com

Share

LINKEDIN

TWITTER

REDDIT

GOOGLE+

Caique

SortbyBest

Jointhediscussion
ManavPandya2monthsago

Hellosirnicearticle
iwanthelpinthis
ihavedownloadedprojectusingADO.NETbutinwhichicantfindDB,anditshowsjustDBnameinserver

You might also like