Click here to Skip to main content
15,867,771 members
Articles / Web Development / HTML5

CRUD with SPA, ASP.NET Web API and Angular.js

Rate me:
Please Sign up or sign in to vote.
4.83/5 (64 votes)
26 Oct 2014CPOL4 min read 203.2K   10.8K   83   53
CRUD with SPA, ASP.NET Web API and Angular.js

Introduction

In this article, I am going to demonstrate a simple process of CRUD in AngularJS with lot of pictorial representations. A picture is worth more than a thousand words, that for causes I believe in an article with proper screenshots. Here I will describe how you will create CRUD in angularjs. I am going to show some successful step to below:

Background

In visual studio web application, use the Client Server architecture. Here is the two process or two application that will be communicating with each other to exchange some information. From the two processes one is acts as a client process and another process acts as a server.

In traditional web applications, the client (browser) which typically makes a request for page to the server to initiates the communication. Then the server processes the request and sends the HTML of the page to the client (browser).

In Single-Page Applications (SPAs) at first the entire page is loaded in the client by the initial request, after that the subsequent action has to update by Ajax request and no need to reload the entire page. The SPA reduces the time by to respond to user actions and result is more fluid experience.

To develop the architecture of a SPA is very hard that are not similar to traditional web applications. However, the most familiar technologies like JavaScript frameworks like AngularJS, ASP.NET Web API, and new styling features of CSS3 make it really easy to design and build SPAs.

In this article, I will show you how to create SPA and CRUD by using ASP.NET Web API, AngularJS.

Overview

Objectives

In this article, you will learn how to:

  • create angular-js CRUD
  • Create a responsive UI using Twitter-Bootstrap

Prerequisites

Setup

In order to create this application, please follow the above prerequisties. 

Exercises

This article includes the following exercises:

  1. Creating a Web API
  2. Creating a SPA Interface

Exercise 1: Creating a Web API

To set up a web api application

  1. Open Visual Studio Express 2013 for Web and select File | New > Project... to start a new solution.
Image 1
 
Creating a New Project

2.  Create a new Wep API project in Visual Studio 2013 by selecting Project new dialog box appears and select ASP.NET Web Application under the Visual C# | Web tab. Make sure .NET Framework 4.5 is selected, name it RDLCReport, choose a Location and click OK. .

Image 2

Creating a new ASP.NET Web Application project

3.  In the New ASP.NET Project dialog box, select the MVC template and select the Web API option. Also Click OK to continue.

Image 3

Creating a new project with the MVC template, including Web API components

4.  In Solution Explorer, right-click the Solution of the RDLCReport project and build.

Image 4

Build a new solution

5.  Now create database 'Inventory' and table 'Customer' and set primary key Id, Here is the Script below:

C++
USE [Inventory]
GO

DROP TABLE [dbo].[Customer]
GO

SET ANSI_NULLS ON
GO

SET QUOTED_IDENTIFIER ON
GO

CREATE TABLE [dbo].[Customer](
    [Id] [int] NOT NULL,
    [Name] [nvarchar](50) NULL,
    [Address] [nvarchar](50) NULL,
    [City] [nvarchar](50) NULL,
    [Country] [nvarchar](50) NULL,
    [DateOfBirth] [datetime] NULL,
    [Age] [int] NULL,
 CONSTRAINT [PK_Customer] PRIMARY KEY CLUSTERED 
 (
    [Id] 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

6.  After createing database and table, now you have to create Entity Frame Work Model Object by this dialog box.

Image 5

Creating Entity Framework Data Model Object

7.  In the Entity Data Model Wizerd, Select EF Designer From Database, and also press next button

Image 6

Choose Entity Framework Model Contents

8.  In the Entity Data Model Wizerd Choose Your Data Connection bu clicking New Connection... button

Image 7

Choose Connection String From Connection Properties Dialog Box

9.  In the Connection Properties Window Dialog box, write server name, sql authentication and select database name, then  finish

Image 8

Choose Connection String From this window

10.  In the Entity Data Model Wizerd,  Select yes, Include the sensative data in the connection string, then press next button

Image 9

Choose senstative data in the connection string.

11.  In the Entity Data Model Wizerd, select table and press finish button

Image 10

Creating Customer table model object

12.  Build solution after completing above process

13.  In Solution Explorer, right-click the Controllers folder of the RDLCReport project and select Add | New Controller Item.... and Now create CustomerController by this way

Image 11

choose api controller

Image 12

Choose Api Controller Name

14.  The CustomerController.cs file is then added to the Controllers folder of the RDLCReport project, containing an empty CustomerController class. Add the following assembly before RDLCReport.Controllers namespace

C++
using System;
using System.Collections.Generic;
using System.Data.Entity;
using System.Data.Entity.Infrastructure;
using System.Linq;
using System.Net;
using System.Net.Http;
using System.Web.Http;

15.  In the CustomerController.cs file, Add the following code into the CustomerController class.

C++
InventoryEntities db = new InventoryEntities();
C++
        //get all customer
        [HttpGet]
        public IEnumerable<Customer> Get()
        {
            return db.Customers.AsEnumerable();
        }

        //get customer by id
        public Customer Get(int id)
        {
            Customer customer = db.Customers.Find(id);
            if (customer == null)
            {
                throw new HttpResponseException(Request.CreateResponse(HttpStatusCode.NotFound));
            }
            return customer;
        }
        
C++
        //insert customer
        public HttpResponseMessage Post(Customer customer)
        {
            if (ModelState.IsValid)
            {
                db.Customers.Add(customer);
                db.SaveChanges();
                HttpResponseMessage response = Request.CreateResponse(HttpStatusCode.Created, customer);
                response.Headers.Location = new Uri(Url.Link("DefaultApi", new { id = customer.Id }));
                return response;
            }
            else
            {
                return Request.CreateErrorResponse(HttpStatusCode.BadRequest, ModelState);
            }
        }
C++
        //update customer
        public HttpResponseMessage Put(int id, Customer customer)
        {
            if (!ModelState.IsValid)
            {
                return Request.CreateErrorResponse(HttpStatusCode.BadRequest, ModelState);
            }
            if (id != customer.Id)
            {
                return Request.CreateResponse(HttpStatusCode.BadRequest);
            }
            db.Entry(customer).State = EntityState.Modified;
            try
            {
                db.SaveChanges();
            }
            catch (DbUpdateConcurrencyException ex)
            {
                return Request.CreateErrorResponse(HttpStatusCode.NotFound, ex);
            }
            return Request.CreateResponse(HttpStatusCode.OK);
        }
C++
        //delete customer by id
        public HttpResponseMessage Delete(int id)
        {
            Customer customer = db.Customers.Find(id);
            if (customer == null)
            {
                return Request.CreateResponse(HttpStatusCode.NotFound);
            }
            db.Customers.Remove(customer);
            try
            {
                db.SaveChanges();
            }
            catch (DbUpdateConcurrencyException ex)
            {
                return Request.CreateErrorResponse(HttpStatusCode.NotFound, ex);
            }
            return Request.CreateResponse(HttpStatusCode.OK, customer);
        }
C++
        //prevent memory leak
        protected override void Dispose(bool disposing)
        {
            db.Dispose();
            base.Dispose(disposing);
        }

Exercise 2: Creating the SPA Interface

To do:

1.  Open the Package Manager Console from Tools > Library Package Manager. Type the following command to install the AngularJS.Core NuGet package.

Install-Package AngularJS.Core

2.  In Solution Explorer, right-click the Scripts folder of the RDLCReport project and select Add | New Folder. Name the folder app and press Enter.

3.  Right-click the app folder you just created and select Add | JavaScript File.

Image 13

Creating a new JavaScript file

4.  In the Specify Name for Item dialog box, type quiz-controller in the Item name text box and click OK.

Image 14

Naming the new JavaScript file

5.  In the customerCtrl.js file, add the following code to declare and initialize the AngularJS.

    //create angularjs controller
    var app = angular.module('app', []);//set and get the angular module
    app.controller('customerController', ['$scope', '$http', customerController]);

    //angularjs controller method
    function customerController($scope, $http) {

        //declare variable for mainain ajax load and entry or edit mode
        $scope.loading = true;
        $scope.addMode = false;

        //get all customer information
        $http.get('/api/Customer/').success(function (data) {
            $scope.customers = data;
            $scope.loading = false;
        })
        .error(function () {
            $scope.error = "An Error has occured while loading posts!";
            $scope.loading = false;
        });

        //by pressing toggleEdit button ng-click in html, this method will be hit
        $scope.toggleEdit = function () {
            this.customer.editMode = !this.customer.editMode;
        };

        //by pressing toggleAdd button ng-click in html, this method will be hit
        $scope.toggleAdd = function () {
            $scope.addMode = !$scope.addMode;
        };

        //Inser Customer
        $scope.add = function () {
            $scope.loading = true;
            $http.post('/api/Customer/', this.newcustomer).success(function (data) {
                alert("Added Successfully!!");
                $scope.addMode = false;
                $scope.customers.push(data);
                $scope.loading = false;
            }).error(function (data) {
                $scope.error = "An Error has occured while Adding Customer! " + data;
                $scope.loading = false;
            });
        };

        //Edit Customer
        $scope.save = function () {
            alert("Edit");
            $scope.loading = true;
            var frien = this.customer;  
            alert(frien);          
            $http.put('/api/Customer/' + frien.Id, frien).success(function (data) {
                alert("Saved Successfully!!");
                frien.editMode = false;
                $scope.loading = false;
            }).error(function (data) {
                $scope.error = "An Error has occured while Saving customer! " + data;
                $scope.loading = false;
            });
        };

       //Delete Customer
        $scope.deletecustomer = function () {
            $scope.loading = true;
            var Id = this.customer.Id;
            $http.delete('/api/Customer/' + Id).success(function (data) {
                alert("Deleted Successfully!!");
                $.each($scope.customers, function (i) {
                    if ($scope.customers[i].Id === Id) {
                        $scope.customers.splice(i, 1);
                        return false;
                    }
                });
                $scope.loading = false;
            }).error(function (data) {
                $scope.error = "An Error has occured while Saving Customer! " + data;
                $scope.loading = false;
            });
        };

    }

6. In the customerCtrl.js, All of the above code, you can put into this javascript function.

(function () {
      'use strict';

   /*Write above code here*/

})();

7.  In _Layout.cshtml page which path is Views> Shared> _Layout.cshtml, add the following line

Image 15

Creating angular bootstraping

8. In BundleConfig.cs file, add two line, which path is App_Start> BundleConfig.cs

Image 16

Add java script file

9.  In Views> Home> Index.cshtml file add following code

C++
<div data-ng-controller="customerController" class="container">
    <div class="row">
        <div class="col-md-12">
            <strong class="error">{{ error }}</strong>
            <p data-ng-hide="addMode"><a data-ng-click="toggleAdd()" href="javascript:;" class="btn btn-primary">Add New</a></p>
            <form name="addCustomer" data-ng-show="addMode" style="width:600px;margin:0px auto;">
                <div class="form-group">
                    <label for="cid" class="col-sm-2 control-label">ID:</label>
                    <div class="col-sm-10">
                        <input type="text" class="form-control" id="cid" placeholder="please enter id" data-ng-model="newcustomer.Id" required />
                    </div>
                </div>
                <div class="form-group">
                    <label for="cname" class="col-sm-2 control-label">Name:</label>
                    <div class="col-sm-10">
                        <input type="text" class="form-control" id="cname" placeholder="please enter your name" data-ng-model="newcustomer.Name" required />
                    </div>
                </div>
                <div class="form-group">
                    <label for="address" class="col-sm-2 control-label">Address:</label>
                    <div class="col-sm-10">
                        <input type="text" class="form-control" id="address" placeholder="please enter your address" data-ng-model="newcustomer.Address" required />
                    </div>
                </div>
                <div class="form-group">
                    <label for="city" class="col-sm-2 control-label">City:</label>
                    <div class="col-sm-10">
                        <input type="text" class="form-control" id="city" placeholder="please enter your city" data-ng-model="newcustomer.City" required />
                    </div>
                </div>
                <div class="form-group">
                    <label for="country" class="col-sm-2 control-label">Country:</label>
                    <div class="col-sm-10">
                        <input type="text" class="form-control" id="country" placeholder="please enter your country" data-ng-model="newcustomer.Country" required />
                    </div>
                </div>
                <div class="form-group">
                    <label for="age" class="col-sm-2 control-label">Age:</label>
                    <div class="col-sm-10">
                        <input type="text" class="form-control" id="age" placeholder="please enter your age" data-ng-model="newcustomer.Age" required />
                    </div>
                </div>
                <br />
                <div class="form-group">
                    <div class="col-sm-offset-2 col-sm-10">
                        <input type="submit" value="Add" data-ng-click="add()" data-ng-disabled="!addCustomer.$valid" class="btn btn-primary" />
                        <input type="button" value="Cancel" data-ng-click="toggleAdd()" class="btn btn-primary" />
                    </div>
                </div>
                <br />
            </form>
        </div>
    </div>
    <div class="row">
        <div class="col-md-12">
            <br />
            <br />
        </div>
    </div>
    <div class="row">
        <div class="col-md-12">
            <div class="table-responsive">
                <table class="table table-bordered table-hover" style="width:800px">
                    <tr>
                        <th>#</th>
                        <td>FirstName</td>
                        <th>LastName</th>
                        <th>Address</th>
                        <th>City</th>
                        <th>PostalCode</th>
                        <th>Country</th>
                    </tr>
                    <tr data-ng-repeat="customer in customers">
                        <td><strong data-ng-hide="customer.editMode">{{ customer.Id }}</strong></td>
                        <td>
                            <p data-ng-hide="customer.editMode">{{ customer.Name }}</p>
                            <input data-ng-show="customer.editMode" type="text" data-ng-model="customer.Name" />
                        </td>
                        <td>
                            <p data-ng-hide="customer.editMode">{{ customer.Address }}</p>
                            <input data-ng-show="customer.editMode" type="text" data-ng-model="customer.Address" />
                        </td>
                        <td>
                            <p data-ng-hide="customer.editMode">{{ customer.City }}</p>
                            <input data-ng-show="customer.editMode" type="text" data-ng-model="customer.City" />
                        </td>
                        <td>
                            <p data-ng-hide="customer.editMode">{{ customer.Country }}</p>
                            <input data-ng-show="customer.editMode" type="text" data-ng-model="customer.Country" />
                        </td>
                        <td>
                            <p data-ng-hide="customer.editMode">{{ customer.Age }}</p>
                            <input data-ng-show="customer.editMode" type="text" data-ng-model="customer.Age" />
                        </td>
                        <td>
                            <p data-ng-hide="customer.editMode"><a data-ng-click="toggleEdit(customer)" href="javascript:;">Edit</a> | <a data-ng-click="deletecustomer(customer)" href="javascript:;">Delete</a></p>
                            <p data-ng-show="customer.editMode"><a data-ng-click="save(customer)" href="javascript:;">Save</a> | <a data-ng-click="toggleEdit(customer)" href="javascript:;">Cancel</a></p>
                        </td>
                    </tr>
                </table>
                <hr />
            </div>
        </div>
    </div>
    <div id="mydiv" data-ng-show="loading">
        <img src="Images/ajax-loader.gif" class="ajax-loader" />
    </div>
</div>

10.  Run and enjoy the CRUD in angularjs, the out put is: 

Image 17

output

Conclusion

I think this article will be very helpful for the beginners who are want to learn AngularJS, WebApi, Twitter-Bootstrap, SPA and SQL-SERVER Data First. I am not good at English, If I mistake anything please forgive me. Thanks for having patience.

License

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


Written By
Software Developer (Senior)
Bangladesh Bangladesh
I am expert in AngularJs, KnockoutJs, Breezejs, NodeJS, ExpressJS, Javascript, jQuery, JSON, Html5, CSS3, Asp.Net (WebForm, MVC), WCF, Restful service, EF, C# .NET, XAML, XML, UML, SQL-SERVER, MongoDB

Comments and Discussions

 
Questionahh Pin
Member 140751432-Dec-18 19:26
Member 140751432-Dec-18 19:26 
QuestionGood Article. How do I add a search module? Pin
Member 132470877-Nov-17 18:50
Member 132470877-Nov-17 18:50 
QuestionGood one Pin
m_imran20026-Oct-17 5:52
m_imran20026-Oct-17 5:52 
QuestionDB table is different in create table than table shown in app screenshot Pin
TomD6610-Sep-17 21:13
TomD6610-Sep-17 21:13 
QuestionAccess Database Pin
Member 1285170330-Nov-16 20:40
Member 1285170330-Nov-16 20:40 
AnswerRe: Access Database Pin
mdshohelrana11-Jan-17 16:02
professionalmdshohelrana11-Jan-17 16:02 
PraiseI am relieved Pin
Member 1249098617-Nov-16 9:32
Member 1249098617-Nov-16 9:32 
QuestionAdding another table Pin
PunjabiTor25-May-16 5:46
PunjabiTor25-May-16 5:46 
Questionproblems recovering data in the table Pin
GREG_DORIANcod6-Apr-16 3:31
professionalGREG_DORIANcod6-Apr-16 3:31 
QuestionVery helpful article Pin
stephue23-Feb-16 22:23
stephue23-Feb-16 22:23 
AnswerRe: Very helpful article Pin
mdshohelrana28-Feb-16 21:50
professionalmdshohelrana28-Feb-16 21:50 
QuestionNot working with local IIS Pin
guitzilla13-Feb-16 4:57
guitzilla13-Feb-16 4:57 
QuestionHI i'm having an error please help me out Pin
choudary g.v19-Oct-15 1:59
choudary g.v19-Oct-15 1:59 
AnswerRe: HI i'm having an error please help me out Pin
mdshohelrana3-Nov-15 17:28
professionalmdshohelrana3-Nov-15 17:28 
GeneralRe: HI i'm having an error please help me out Pin
leoadell14-Dec-15 10:44
leoadell14-Dec-15 10:44 
GeneralRe: HI i'm having an error please help me out Pin
mdshohelrana16-Jan-16 21:09
professionalmdshohelrana16-Jan-16 21:09 
QuestionGreat article - but one small issue Pin
Sultan Ahmed10-Oct-15 5:29
Sultan Ahmed10-Oct-15 5:29 
Not sure if anyone mentioned this yet - your table does NOT have a "LastName" column, but your output does. Just a little mismatch, but it does not take away from your great work. Well done!!!
Questionregarding data-ng-model value Pin
Arjun Mourya7-Oct-15 8:15
Arjun Mourya7-Oct-15 8:15 
AnswerRe: regarding data-ng-model value Pin
mdshohelrana9-Oct-15 8:00
professionalmdshohelrana9-Oct-15 8:00 
GeneralJust thanks Pin
richard.holguing10-Sep-15 14:20
richard.holguing10-Sep-15 14:20 
GeneralCRUD MVC AngularJS sample Pin
Sami L2-Aug-15 14:01
Sami L2-Aug-15 14:01 
QuestionCRUD in AngularJS project Pin
Roger Rudolph4-Jul-15 9:12
Roger Rudolph4-Jul-15 9:12 
QuestionCustomers vs Customer Pin
Member 1175720310-Jun-15 15:07
Member 1175720310-Jun-15 15:07 
AnswerRe: Customers vs Customer Pin
mdshohelrana13-Jun-15 19:23
professionalmdshohelrana13-Jun-15 19:23 
QuestionRe: Customers vs Customer Pin
MUDANZAS VALENCIA mudanzasvalemcia.com16-Aug-15 21:06
MUDANZAS VALENCIA mudanzasvalemcia.com16-Aug-15 21:06 

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.