In this demo application our main concern will be on AngularJS data-binding and routing. I also used Entity Framework Code First approach for database operation.
Functionality present in this application:
- Data Binding using AngularJS
- Client side routing using Angular Routing
- Cascading Dropdown using AngularJS
- Conditional formatting using AngularJS
- Select, Insert, Update and Delete record in SQL Server database.
Let’s start step by step so that we can achieve our objective at the end of this article. After completing this demo our application should look like this:
- Employee List page:
- Employee Page for Creating and Editing a record.
- Employee Delete Confirmation page with details:
To achieve the above, follow the steps given below:
- Create a new ASP.NET MVC Empty Web Application.
- Add the following package in your application:
- AngularJS.Core
- AngularJS.Route
- Bootstrap
- EntityFramework
- Create a Model named Employee in Models folder and replace the code with the following:
- public class Employee
- {
- public int EmployeeId
- {
- get;
- set;
- }
- [Required]
- [StringLength(20)]
- public string FirstName
- {
- get;
- set;
- }
- [Required]
- [StringLength(20)]
- public string LastName
- {
- get;
- set;
- }
- [Required]
- [StringLength(100)]
- public string Description
- {
- get;
- set;
- }
- public float Salary
- {
- get;
- set;
- }
- [Required]
- [StringLength(50)]
- public string Country
- {
- get;
- set;
- }
- [Required]
- [StringLength(50)]
- public string State
- {
- get;
- set;
- }
- public DateTime DateofBirth
- {
- get;
- set;
- }
- public bool IsActive
- {
- get;
- set;
- }
- }
- public class EmployeeDbContext: DbContext
- {
- public EmployeeDbContext(): base()
- {
- Database.SetInitializer < EmployeeDbContext > (newEmployeeDbContextInitializer());
- }
- public DbSet < Employee > Employees
- {
- get;
- set;
- }
- }
- public class EmployeeDbContextInitializer: DropCreateDatabaseIfModelChanges < EmployeeDbContext >
- {
- protected override void Seed(EmployeeDbContext context)
- {
- var list = new List < Employee >
- {
- new Employee
- {
- FirstName = "Rohit", LastName = "Mane", Description = "Rohit Mane", DateofBirth = DateTime.Now.AddYears(-24), Country = "IN", State = "MH", Salary = 99999, IsActive = true
- },
- new Employee
- {
- FirstName = "Shankar", LastName = "Kanase", Description = "Rahul Singh", DateofBirth = DateTime.Now.AddYears(-23), Country = "IN", State = "MH", Salary = 49999.28 f, IsActive = true
- }
- };
- list.ForEach(m =>
- {
- context.Employees.Add(m);
- });
- context.SaveChanges();
- base.Seed(context);
- }
- }
- Add a connection string with same name of EmployeeDbContext in web.config:
- <connectionStrings>
- <add name="EmployeeDbContext" connectionString="Data Source=(local);Initial Catalog=EmpDb;Integrated Security=true;" providerName="System.Data.SqlClient"/>
- </connectionStrings>
- Now create a Employee API controller to perform crud in database:
- public class EmployeeController: ApiController
- {
- EmployeeDbContext db = new EmployeeDbContext();
-
- [ActionName("get"), HttpGet]
- public IEnumerable < Employee > Emps()
- {
- return db.Employees.ToList();
- }
-
- public Employee Get(int id)
- {
- return db.Employees.Find(id);
- }
-
- public HttpResponseMessage Post(Employee model)
- {
- if (ModelState.IsValid)
- {
- db.Employees.Add(model);
- db.SaveChanges();
- HttpResponseMessage response = Request.CreateResponse(HttpStatusCode.Created, model);
- return response;
- }
- else
- {
- return Request.CreateErrorResponse(HttpStatusCode.BadRequest, ModelState);
- }
- }
-
- public HttpResponseMessage Put(Employee model)
- {
- if (ModelState.IsValid)
- {
- db.Entry(model).State = System.Data.Entity.EntityState.Modified;
- db.SaveChanges();
- HttpResponseMessage response = Request.CreateResponse(HttpStatusCode.OK, model);
- return response;
- }
- else
- {
- return Request.CreateErrorResponse(HttpStatusCode.BadRequest, ModelState);
- }
- }
-
- public HttpResponseMessage Delete(int id)
- {
- Employee emp = db.Employees.Find(id);
- if (emp == null)
- {
- return Request.CreateResponse(HttpStatusCode.NotFound);
- }
- db.Employees.Remove(emp);
- db.SaveChanges();
- return Request.CreateResponse(HttpStatusCode.OK, emp);
- }
- Also create a Country controller to retrieve country and its states from server side in order to implement cascading dropdown list:
- public class CountryController: ApiController
- {
-
- public IEnumerable < System.Web.Mvc.SelectListItem > Get()
- {
- List < System.Web.Mvc.SelectListItem > countries = newList < System.Web.Mvc.SelectListItem >
- {
- new System.Web.Mvc.SelectListItem
- {
- Text = "India", Value = "IN"
- },
- new System.Web.Mvc.SelectListItem
- {
- Text = "United States", Value = "US"
- },
- new System.Web.Mvc.SelectListItem
- {
- Text = "United Kingdom", Value = "UK"
- },
- new System.Web.Mvc.SelectListItem
- {
- Text = "Australlia", Value = "CA"
- }
- };
- return countries;
- }
-
- public IEnumerable < System.Web.Mvc.SelectListItem > Get(string id)
- {
- List < System.Web.Mvc.SelectListItem > states = newList < System.Web.Mvc.SelectListItem > ();
- switch (id)
- {
- case "IN":
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Maharashtra, Value = "
- MH " });
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Madhya Pradesh", Value = "MP"
- });
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Delhi", Value = "DL"
- });
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Kanpur", Value = "KN"
- });
- break;
- case "US":
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "California", Value = "CA"
- });
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Newyork", Value = "NY"
- });
- break;
- case "UK":
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "London", Value = "LN"
- });
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Paris", Value = "PR"
- });
- break;
- case "CA":
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Sydney", Value = "SD"
- });
- states.Add(new System.Web.Mvc.SelectListItem
- {
- Text = "Melbourne", Value = "MB"
- });
- break;
- }
- return states;
- }
- }
- Now create a Home controller and add an Index view and reference some CSS and JavaScript files of AngularJS and bootstrap to create a view and partial views:
- public class HomeController: Controller
- {
- public ActionResult Index()
- {
- return View();
- }
- }
- Index view with JS and CSS references:
- @{
- Layout = null;
- }
-
- <!DOCTYPE html>
- <html ng-app="EmpApp">
- <head>
- <meta name="viewport" content="width=device-width" />
- <title>Index</title>
- <link href="@Url.Content("~/Content/bootstrap.min.css")" rel="stylesheet"type="text/css" />
- <script src="@Url.Content("~/Scripts/angular.min.js")" type="text/javascript"></script>
- <script src="@Url.Content("~/Scripts/angular-route.js")"type="text/javascript"></script>
- <script src="@Url.Content("~/Scripts/app/app.js")" type="text/javascript"></script>
- <script src="@Url.Content("~/Scripts/app/controller.js")"type="text/javascript"></script>
- </head>
- <body>
- <div class="main container" ng-view></div>
- </body>
- </html>
I have highlighted ng-app and ng-view attribute. This is for initializing module under app and rendering of partial views inside ng-view.
- Now create an app.js file for configuration of route and controllers. The code of app.js is given below:
- var EmpApp = angular.module('EmpApp', ['ngRoute', 'EmpControllers']);
- EmpApp.config(['$routeProvider', function($routeProvider)
- {
- $routeProvider.when('/list',
- {
- templateUrl: 'Employee/list.html',
- controller: 'ListController'
- }).
- when('/create',
- {
- templateUrl: 'Employee/edit.html',
- controller: 'EditController'
- }).
- when('/edit/:id',
- {
- templateUrl: 'Employee/edit.html',
- controller: 'EditController'
- }).
- when('/delete/:id',
- {
- templateUrl: 'Employee/delete.html',
- controller: 'DeleteController'
- }).
- otherwise(
- {
- redirectTo: '/list'
- });
- }]);
- Now add a folder named Employee under root directory of an application and following three views (html files) list.html, edit.html and delete.html.
- List.html
- <div>
- <a href="#/create" class="btn">Create</a>
- </div>
- <div class="table-responsive">
- <table class="table table-striped table-bordered">
- <tr>
- <th>Employee Id</th>
- <th>First Name</th>
- <th>Last Name</th>
- <th>Description</th>
- <th>Salary</th>
- <th>Country</th>
- <th>State</th>
- <th>Date of Birth</th>
- <th>Is Active</th>
- <th></th>
- <th></th>
- </tr>
- <tr ng-repeat="item in employees">
- <td>{{ item.EmployeeId }}</td>
- <td>{{ item.FirstName }}</td>
- <td>{{ item.LastName }}</td>
- <td>{{ item.Description }}</td>
- <td>{{ item.Salary | number: 2 }}</td>
- <td>{{ item.Country }}</td>
- <td>{{ item.State }}</td>
- <td>{{ item.DateofBirth | date }}</td>
- <td>
- <span class="label" ng-class="{true:'label-success', false:'label-danger', '':'hidden'}[item.IsActive]">
- {{ item.IsActive ? 'Active' : 'In Active' }}</span>
- </td>
- <td>
- <a href="#/edit/{{item.EmployeeId}}" class="glyphicon glyphicon-edit"></a>
- </td>
- <td>
- <a href="#/delete/{{item.EmployeeId}}" class="glyphicon glyphicon-trash"></a>
- </td>
- </tr>
- </table>
- </div>
- Edit.html
- <h3>
- {{ title }}</h3>
- <hr />
- <form role="form" style="max-width: 500px;">
- <strong class="error">{{ error }}</strong>
- <div class="form-group">
- <label for="firstname">
- First Name</label>
- <input type="text" class="form-control" id="firstname" ng-model="firstname" />
- </div>
- <div class="form-group">
- <label for="lastname">
- Last Name:</label>
- <input type="text" class="form-control" id="lastname" ng-model="lastname" />
- </div>
- <div class="form-group">
- <label for="country">
- Country:</label>
- <select class="form-control" id="country" ng-model="country" ng-options="c.Value as c.Text for c in countries" ng-change="getStates()">
- <option value="">-- Select Country --</option>
- </select>
- </div>
- <div class="form-group">
- <label for="state">
- State:</label>
- <select class="form-control" id="state" ng-model="state" ng-disabled="!states"ng-options="s.Value as s.Text for s in states">
- <option value="">-- Select State --</option>
- </select>
- </div>
- <div class="form-group">
- <label for="salary">
- Current Salary:</label>
- <input type="text" class="form-control" id="salary" ng-model="salary" />
- </div>
- <div class="form-group">
- <label for="dob">
- Date of Birth:</label>
- <input type="date" class="form-control" id="dob" ng-model="dob" />
- </div>
- <div class="form-group">
- <label for="description">
- Description:</label>
- <textarea rows="5" cols="10" class="form-control" id="description" ng-model="description"></textarea>
- </div>
- <div class="form-group checkbox">
- <label>
- <input type="checkbox" ng-model="active" />Active
- </label>
- </div>
- <a href="#/list" class="btn btn-info">Back to List</a>
- <button type="submit" class="btn btn-default" ng-click="save()">
- Submit
- </button>
- </form>
- Delete.html
- <h3>
- Are you want to sure to delete this record?</h3>
- <hr />
- <form class="form-horizontal" style="max-width: 500px;">
- <div class="form-group">
- <label class="control-label col-xs-3">
- First Name :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ firstname }}</p>
- </div>
- </div>
- <div class="form-group">
- <label class="control-label col-xs-3">
- Last Name :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ lastname }}</p>
- </div>
- </div>
- <div class="form-group">
- <label class="control-label col-xs-3">
- Country :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ country }}</p>
- </div>
- </div>
- <div class="form-group">
- <label class="control-label col-xs-3">
- State :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ state }}</p>
- </div>
- </div>
- <div class="form-group">
- <label class="control-label col-xs-3">
- Salary :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ salary }}</p>
- </div>
- </div>
- <div class="form-group">
- <label class="control-label col-xs-3">
- Date of Birth :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ dob | date }}</p>
- </div>
- </div>
- <div class="form-group">
- <label class="control-label col-xs-3">
- Description :</label>
- <div class="col-xs-9">
- <p class="form-control-static">
- {{ description }}</p>
- </div>
- </div>
- <div class="form-group">
- <div class="col-xs-offset-3 col-xs-9">
- <span class="label" ng-class="{true:'label-success', false:'label-danger', '':'hidden'}[active]">
- {{ active ? 'Active' : 'In Active' }}</span>
- </div>
- </div>
- <div class="form-group">
- <div class="col-xs-offset-3 col-xs-9 text-center">
- <a href="#/list" class="btn btn-info">Back to List</a>
- <button type="submit" class="btn btn-primary" ng-click="delete()">
- Delete</button>
- </div>
- </div>
- </form>
We had setup three views for list, create, edit and delete. Now we will implement the functionalities for these three views.
- Create a controller.js file and add the following code given below:
- var EmpControllers = angular.module("EmpControllers", []);
-
-
- EmpControllers.controller("ListController", ['$scope', '$http',
- function($scope, $http)
- {
- $http.get('/api/employee').success(function(data)
- {
- $scope.employees = data;
- });
- }
- ]);
-
-
- EmpControllers.controller("DeleteController", ['$scope', '$http', '$routeParams', '$location',
- function($scope, $http, $routeParams, $location)
- {
- $scope.id = $routeParams.id;
- $http.get('/api/employee/' + $routeParams.id).success(function(data)
- {
- $scope.firstname = data.FirstName;
- $scope.lastname = data.LastName;
- $scope.country = data.Country;
- $scope.state = data.State;
- $scope.salary = data.Salary;
- $scope.active = data.IsActive;
- $scope.dob = data.DateofBirth;
- $scope.description = data.Description;
- });
- $scope.delete = function()
- {
- $http.delete('/api/Employee/' + $scope.id).success(function(data)
- {
- $location.path('/list');
- }).error(function(data)
- {
- $scope.error = "An error has occured while deleting employee! " + data;
- });
- };
- }
- ]);
-
-
- EmpControllers.controller("EditController", ['$scope', '$filter', '$http', '$routeParams', '$location',
- function($scope, $filter, $http, $routeParams, $location)
- {
- $http.get('/api/country').success(function(data)
- {
- $scope.countries = data;
- });
- $scope.id = 0;
- $scope.getStates = function()
- {
- var country = $scope.country;
- if (country)
- {
- $http.get('/api/country/' + country).success(function(data)
- {
- $scope.states = data;
- });
- }
- else
- {
- $scope.states = null;
- }
- }
- $scope.save = function()
- {
- var obj = {
- EmployeeId: $scope.id,
- FirstName: $scope.firstname,
- LastName: $scope.lastname,
- Country: $scope.country,
- State: $scope.state,
- Salary: $scope.salary,
- IsActive: $scope.active,
- Description: $scope.description,
- DateofBirth: $scope.dob
- };
- if ($scope.id == 0)
- {
- $http.post('/api/Employee/', obj).success(function(data)
- {
- $location.path('/list');
- }).error(function(data)
- {
- $scope.error = "An error has occured while adding employee! " + data.ExceptionMessage;
- });
- }
- else
- {
- $http.put('/api/Employee/', obj).success(function(data)
- {
- $location.path('/list');
- }).error(function(data)
- {
- console.log(data);
- $scope.error = "An Error has occured while Saving customer! " + data.ExceptionMessage;
- });
- }
- }
- if ($routeParams.id)
- {
- $scope.id = $routeParams.id;
- $scope.title = "Edit Employee";
- $http.get('/api/employee/' + $routeParams.id).success(function(data)
- {
- $scope.firstname = data.FirstName;
- $scope.lastname = data.LastName;
- $scope.country = data.Country;
- $scope.state = data.State;
- $scope.salary = data.Salary;
- $scope.active = data.IsActive;
- $scope.description = data.Description;
- $scope.dob = new Date(data.DateofBirth);
- $scope.getStates();
- });
- }
- else
- {
- $scope.title = "Create New Employee";
- }
- }
- ]);
In this controller.js we have multiple controllers for different views. Like ListController for list view (display the list of employees), Edit controller for edit view (create and modify the record), DeleteController for delete view (delete confirmation and delete the record).
Now we have implement ed and successfully completed all the steps.
To test the process you can build and run an application. I hope it works fine.
Thanks for reading this article. If you have any queries and suggestion please feel free to ask me and also your valuable comments are important for me and motivates me to write articles.
Read more articles on AngularJS,