Click here to Skip to main content
15,885,985 members
Articles / Web Development / ASP.NET / ASP.NETvNext
Article

ASP.NET Core 1.0 MVC 6 Using WEB API And AngularJS

Rate me:
Please Sign up or sign in to vote.
4.91/5 (21 votes)
13 Mar 2016CPOL9 min read 95.9K   2.9K   54   7
In this article you will learn about ASP.NET Core 1.0 MVC 6 using WEB API and AngularJS.

Introduction

Image 1

In this article we will see in detail how to create ASP.NET Core 1.0  MVC 6 using WEB API and AngularJS .

You can also view our previous article ASP.NET Core 1.0 CRUD Using Scaffolding And Entity Framework .

Prerequisites

Visual Studio 2015: You can download it from here.
ASP.NET 5 /Core 1.0: download ASP.NET 5 RC from this link.

In this article we will see in detail how to:

  • Create our ASP.NET Core 1.0 Web Application.
  • How to change the Default Connection string to our SQL Server Connection String.
  • How to add Model and DbContext Class for using in WEB API
  • How to add Entity framework Service in Startup.cs file.
  • How to add our WEB API Controller.
  • How to add grunt package using NPM configuration file
  • How to configure Grunt File.
  • How to Run the Grunt file using Visual Studio Task Runner Explorer
  • How to create our AngularJS Module, Controller and Service file and get WEB API data for bind in MVC page.

Reference link

Using the code

Create a Database

We will be using our SQL Server database for our WEB API. First we create a database named  StudentsDB and a table as StudentMaster. Here is the SQL script to create Database table and sample record insert query in our table.

SQL
USE MASTER 
GO 
 
-- 1) Check for the Database Exists .If the database is exist then drop and create new DB 
IF EXISTS (SELECT [name] FROM sys.databases WHERE [name] = 'StudentsDB' ) 
DROP DATABASE StudentsDB 
GO 
 
CREATE DATABASE StudentsDB 
GO 
 
USE StudentsDB 
GO 
 
 
-- 1) //////////// StudentMasters 
 
IF EXISTS ( SELECT [name] FROM sys.tables WHERE [name] = 'StudentMasters' ) 
DROP TABLE StudentMasters 
GO 
 
CREATE TABLE [dbo].[StudentMasters]( 
        [StdID] INT IDENTITY PRIMARY KEY, 
        [StdName] [varchar](100) NOT NULL,    
        [Email]  [varchar](100) NOT NULL,    
        [Phone]  [varchar](20) NOT NULL,    
        [Address]  [varchar](200) NOT NULL 
) 
 
-- insert sample data to Student Master table 
INSERT INTO [StudentMasters]   ([StdName],[Email],[Phone],[Address]) 
     VALUES ('Shanu','syedshanumcain@gmail.com','01030550007','Madurai,India') 
 
INSERT INTO [StudentMasters]   ([StdName],[Email],[Phone],[Address]) 
     VALUES ('Afraz','Afraz@afrazmail.com','01030550006','Madurai,India') 
      
INSERT INTO [StudentMasters]   ([StdName],[Email],[Phone],[Address]) 
     VALUES ('Afreen','Afreen@afreenmail.com','01030550005','Madurai,India') 
      
      
     select * from [StudentMasters]

Create our ASP.NET Core 1.0 Web Application.

After installed both Visual Studio 2015 and ASP.NET 5 RC. click Start, then Programs and select Visual Studio 2015 - Click Visual Studio 2015. Click New, then Project, select Web and select ASP.NET Web Application. Enter your Project Name and click OK.

Image 2

Select Web Application under ASP.NET 5 Template and click ok.

Image 3

Database Connection String:

Now we need to change the local connection string from ASP.Net 5 project with our SQL Server connection.

Note: In ASP.NET 5 we need to use “appsettings.json” file instead of web.config. Yes in ASP.NET 5 there is no web.Config file for connection string we need use the “appsettings.json”  .We can find the “appsettings.json” file from our Asp.NET 5 solution.

Image 4

To change the default connection string with our SQL connection open the “appsettings.json” file .Yes this is JSON file and this file looks like below Image by default.

Image 5

Now the default connectionstring will be something like this

JavaScript
"ConnectionString": "Server=(localdb)\\mssqllocaldb;Database=aspnet5-MYASP.NET5DemoTest-afb3aac0-d181-4278-8436-cafeeb5a8dbf;Trusted_Connection=True;MultipleActiveResultSets=true"

Now we change this to our SQL Connection like below,

JavaScript
"ConnectionString": "Server=YourSQLSERVERNAME;Database=StudentsDB;user id=SQLID;password=SQLPWD;Trusted_Connection=True;MultipleActiveResultSets=true;"

Creating our Model

We can create a model by adding a new class files in our Model Folder.

Image 6

Right click the Models folder and click add new Item .Select Class and enter your class name as “StudentMasters.cs”

Image 7

Here our class will be look like below image .Here we will add our model field property.

Image 8

Add the header file   using System.ComponentModel.DataAnnotations; and add all our table field name as property in this model class like below code.

C#
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using System.ComponentModel.DataAnnotations;  

namespace MYASP.NET5DemoTest.Models
{

    public class  StudentMasters
    {

        [Key]
        public int  StdID { get; set; }

        [Required]
        [Display(Name = "Name")] 
        public string  StdName { get; set; }

        [Required]
        [Display(Name = "Email")] 
        public string  Email { get; set; }

        [Required]
        [Display(Name = "Phone")]
        public string  Phone { get; set; }  

        public string  Address { get; set; }

    }
}

Now we have created our Model next step is to add DBContext for our model. 

Creating DbContext

Now we need to create a DBContext for our Entity Framework. Same like Model Class add a new class to our Models folder.
Right click the Models folder and click add new Item .Select Class and enter your class name as “StudentMastersAppContext.cs” 

Image 9

Here our class will be look like below image.
Image 10

Now first we need to add the header file for Entity framework as using Microsoft.Data.Entity;

Next inherit the DbContext to our class and then create object for our DBContext like below code.

C#
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.Data.Entity;

namespace MYASP.NET5DemoTest.Models
{
    public class StudentMastersAppContext : DbContext
 {
  public DbSet<StudentMasters> Students { get; set; }
 }
}

Now we can created our DBcontext and next step is to add a Service for our Entity Framework.

 Adding Entity Framework Service in Startup.cs

Next we need to add our Entity Framework service in Startup.cs . We can find the Startup.cs file from our solution explorer .

Image 11

Open the Startup.cs file and we can see by default the ApplicationDBContext will be added in ConfigureServices method. 

Image 12

Now we can add one more DBContext for our StudentMastersAppContext like below code. 

C#
// Add Entity Framework
   services.AddEntityFramework()
       .AddSqlServer()
       .AddDbContext<StudentMastersAppContext>(options =>
        options.UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]));

In ConfigureServices method we add like this code below.

C#
public void ConfigureServices(IServiceCollection services)
        {
            // Add framework services.
            services.AddEntityFramework()
                .AddSqlServer()
                .AddDbContext<ApplicationDbContext>(options =>
                    options.UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]));

            services.AddIdentity<ApplicationUser, IdentityRole>()
                .AddEntityFrameworkStores<ApplicationDbContext>()
                .AddDefaultTokenProviders();

            services.AddMvc();

   // Add Entity Framework
   services.AddEntityFramework()
       .AddSqlServer()
       .AddDbContext<StudentMastersAppContext>(options =>
        options.UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]));

   // Add application services.
   services.AddTransient<IEmailSender, AuthMessageSender>();
            services.AddTransient<ISmsSender, AuthMessageSender>();
        }

Next step is to add WEBAPI Controller.


 Creating our WEBAPI Controller

Right click the Controller folder and click add new Item .Select API Controller with Action, using Entity Framework and click Add.

Image 13

Now we need to select our newly created Model class and our Data Context Class.

Model Class:  In Model Class select our Model Class which we created as “StudentMasters”. 

Data Context Class: In Data Context select our DBContext class which we created as “StudentMastersAppContext”

Image 14

Give our Controller name with API and click ADD.

To test it we can run our project and copy the get method api path here we can see our API path for get is api/StudentMasters/

Run the program and paste the above API path to test our output.

Image 15

Create Scripts and Controller Folder:

Next we need to add a new folder in our project for AngularJs.

Create a new folder named “Scripts” .Right click our project and click add new Folder and name the folder as “Scripts”

Image 16

Now we create one more folder for our AngularJs controller named as “Controllers”

Image 17

Adding grunt package using NPM configuration file

Now we need to add a NPM Configuration File for adding a grunt package to run our java scripts.

As we have created as a Web Application the NPM Configuration File will be located in our project.

Image 18

By default we can’t view our NPM Configuration File. The NPM Configuration File will be in the name of “package.JSON” . TO view that from the Solution Explorer click on “Show All Files”

Image 19

Now we can see NPM file as “package.JSON”

Image 20

Dependencies Folder:

Image 21

In dependency folder we can see the entire installed NPM package. Here we can see by default grunt package was been not installed .Here we will see how to add the grunt package. 

If this “package.JSON” is not available

Right click our Project and click Add New Item to add our NPM Configuration File. Select Client-Side and Select NPM Configuration File and click Add.

Image 22

Now open the “package.JSON” file .Now first we need to change the name to our project Solution name and add our grunt package .we can see the code here below the image.

Image 23

Here we have changed the name as our Solution name and also added the grunt package.

JavaScript
{
  "name": "testforDemo",
  "version": "0.0.0",
  "devDependencies": {
    "gulp": "3.8.11",
    "gulp-concat": "2.5.2",
    "gulp-cssmin": "0.1.7",
    "gulp-uglify": "1.2.0",
    "rimraf": "2.2.8",
    "grunt": "0.4.5",
    "grunt-contrib-uglify": "0.9.1",
    "grunt-contrib-watch": "0.6.1"
  }
}

After adding the grunt file save the file .Now we can see in the Dependencies folder

Now save the package.json file and you should be able to see a grunt package under Dependencies/ npm Folder.

Image 24

Once we click on save “package.json: the “Dependencies” and “npm” folder will be as “Restoring”.

Image 25

Now right click the “Dependencies” folder and click Restore Packages. This will install all the packages to your npm folder.

Image 26

Configure Grunt File.

Grunt is used to build all our client side resources like JavaScript for our project.

First step is to we need to add a Grunt file to our project. Right click our project and Select Client-Side and Select Grunt Configuration File and click Add.

Image 27

Here we can see now we have added Grunt file to our project .Next is we need to edit this file to add load plugins, configure plugins and define tasks

Image 28

Here in our Grunt file we have first load plugins which we have added in our npm. Using loadNpmTask here we load 'grunt-contrib-uglify' , 'grunt-contrib-watch'

Image 29

Next we configure the grunt add the app.js file in our wwwroot folder. All our Script files from Scripts folder result will be added in this app.js file.

The watch plugin will be used to check for any changes on JavaScript file and update it app.js with all new changes.

JavaScript
module.exports = function (grunt) {
    grunt.loadNpmTasks('grunt-contrib-uglify');
    grunt.loadNpmTasks('grunt-contrib-watch');

    grunt.initConfig({
        uglify: {
            my_target: {
                files: { 'wwwroot/app.js': ['Scripts/app.js', 'Scripts/**/*.js'] }
            }
        },

        watch: {
            scripts: {
                files: ['Scripts/**/*.js'],
                tasks: ['uglify']
            }
        }
    });

    grunt.registerTask('default', ['uglify', 'watch']);
};

Run the Grunt file using Visual Studio Task Runner Explorer

Now we need to run the Grunt file using Visual Studio Task Runner.

To view the Task Runner Click the menu View-> Other Windows,-> and click on Task Runner Explorer.

Image 30

Now we can see our Task Runner Explorer.

Image 31

Click on GruntFile.js and click on refresh button at top left.

Image 32

Now we can see all the GruntFile has been added.

Image 33

Right click the default under Alias Task and click Run.

Image 34

Now our Grunt file has been successfully run in our project. When we add a script file we can see new app.js file will be created in our wwwroot folder.

Image 35

Create our AngularJs Module, Controller and Service

 Creating AngularJs Module:

Now we will create a new AngularJs module under our Scripts folder.

Right click our Scripts folder and click add new Item and Select Client-Side and Select AngularJs Module and click Add.

Image 36

Change this with our Module Name and service name for calling WEB API and binding from Controller.

JavaScript
(function () {
    'use strict';

    angular.module('studentapp', [
        // Angular modules
        'studentService'

        // Custom modules

        // 3rd Party Modules
       
    ]);
})();

Creating AngularJs  Service:
Now we will create a new AngularJs Service under Controllers folder inside Scripts folder.
Right click our Controllers folder under Scripts folder and clicks add new Item , Select Client-Side and Select AngularJs Factory and click Add.

Image 37
 Change this code to create our service and get our API data.
Here we create our Service as StudentService and get the result from our WEB API method and bind to APIData.

JavaScript
(function () {
    'use strict';

    var studentService = angular.module('studentService', ['ngResource']);
    studentService.factory('student', ['$resource',
        function ($resource) {
            alert("hi");
            return $resource('/api/StudentMasters/', {}, {

                APIData: { method: 'GET', params: {}, isArray: true }

            });
            alert("hi12");
        }
    ]);
})();

Creating AngularJs Controller:
Now we will create a new AngularJs Controller under Controllers folder inside Scripts folder.
Right click our Controllers folder under Scripts folder and clicks add new Item , Select Client-Side and Select AngularJs Controller and click Add.

Image 38

Change this code to create our Controller and get our API data from AngularJs Servicde and store to $scope.student for binding in our MVC view.

JavaScript
(function () {
    'use strict';

    angular
        .module('studentapp')
        .controller('studentController', studentController);

    studentController.$inject = ['$scope', 'student'];

    function studentController($scope, student) {
    
        $scope.student = student.APIData();
    }
})();

Note : Now again open the Tast Runner Explorer and select the default under Gruntfile.js .
Right click and run it. We can see as “1 file created”.

Image 39

Now we can see app.js file will be created in our wwwroot .And also all our AngularJS Module,Service and Conroller script will be added for displaying our data.

Image 40

Design MVC View page, Run and Output.

Here we have bind the AngularJs controller result to our detaul home index View.

Image 41

We have changed the default index.cshtml page to below html deign to bind our AngularJS controller Student data to our view.

HTML
<html ng-app="studentapp">
@{
    ViewBag.Title = "ASP.NET5";
}
<head>
</head>
<body ng-controller="studentController">

    <table width="99%" style=" border-bottom:3px solid #3273d5;">
        <tr>

            <td width="190">
                <table width="99%">
                    <tr>
                        <td>
                            Welcome Mr. {{'SHANU'}}
                        </td>
                    </tr>
                </table>
            </td>
            <td class="style1" align="center">
                <h3>Shanu - ASP.NET Core 1.0 MVC 6 with WEB API and AngularJS :)</h3>

            </td>
           
        </tr>
    </table>

    <table style="width: 99%; background-color:#FFFFFF; border solid 2px #6D7B8D; padding 5px;width 99%;table-layout:fixed;" cellpadding="2" cellspacing="2">

        <tr style="height: 30px; background-color:#336699 ; color:#FFFFFF ;border: solid 1px #659EC7;">
            <td width="40" align="center"><b>Student ID</b></td>
            <td width="100" align="center"><b>Student Name </b></td>
            <td width="120" align="center"><b>Email</b></td>
            <td width="120" align="center"><b>Phone</b></td>
            <td width="120" align="center"><b>Address</b></td>

        </tr>
        <tbody data-ng-repeat="details in student">
            <tr>

                <td align="center" style="border: solid 1px #659EC7; padding: 5px;table-layout:fixed;">
                    <span style="color:#9F000F">
                        {{details.StdID}}
                    </span>
                </td>            

                <td align="center" style="border: solid 1px #659EC7; padding: 5px;table-layout:fixed;">
                    <span style="color:#9F000F">
                        {{details.StdName}}
                    </span>
                </td>

                <td valign="top" style="border: solid 1px #659EC7; padding: 5px;table-layout:fixed;">
                    <span style="color:#9F000F">
                        {{details.Email}}
                    </span>
                </td>

                <td valign="top" style="border: solid 1px #659EC7; padding: 5px;table-layout:fixed;">
                    <span style="color:#9F000F">
                        {{details.Phone}}
                    </span>
                </td>
                <td valign="top" style="border: solid 1px #659EC7; padding: 5px;table-layout:fixed;">
                    <span style="color:#9F000F">
                        {{details.Address}}
                    </span>
                </td>
            </tr>
        </tbody>
    </table>
</body>
</html>

<script src="//ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular.js"></script>
<script src="//ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular-resource.js"></script>
<script src="~/app.js"></script>

Run the Program:

Here we can see all the data from WEB API has been bind to our MVC View using AngularJS.

Image 42

History

ASPNET5WEBAPIAngularJS.zip - 2016/03/09

License

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


Written By
Team Leader
India India
Microsoft MVP | Code Project MVP | CSharp Corner MVP | Author | Blogger and always happy to Share what he knows to others. MyBlog

My Interview on Microsoft TechNet Wiki Ninja Link

Comments and Discussions

 
Buggetting the errors while restoring the packages in references Pin
Kumar Nagendra19-Apr-16 5:42
Kumar Nagendra19-Apr-16 5:42 
Suggestionapi/StudentMastersAPI instead of api/StudentMasters Pin
glogins28-Mar-16 3:40
glogins28-Mar-16 3:40 
GeneralRe: api/StudentMastersAPI instead of api/StudentMasters Pin
syed shanu28-Mar-16 13:42
mvasyed shanu28-Mar-16 13:42 
PraiseExcellent Pin
Anil Sharma198311-Mar-16 0:50
professionalAnil Sharma198311-Mar-16 0:50 
QuestionNice Article. Formatting Needed Pin
Sibeesh Passion11-Mar-16 0:46
professionalSibeesh Passion11-Mar-16 0:46 
QuestionWhy u choose ASP.NET Core 1.0 MVC 6 Pin
Tridip Bhattacharjee8-Mar-16 19:41
professionalTridip Bhattacharjee8-Mar-16 19:41 
GeneralGood Article +5 Pin
aarif moh shaikh8-Mar-16 17:25
professionalaarif moh shaikh8-Mar-16 17:25 

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.