In this post, we are going to explore how a Single Page Application (SPA) sample can be put together using ASP.Net Core & Angular from scratch.
Table of Contents:
- Introduction
- Work Plan
- Development Environment
- Core Description
- Summary
- Downloads
Introduction:
We are going to use Angular6, TypeScript in frontend and backend using ASP.NET Core WebAPI with Entity Framework Core database operations.
Work Plan:
- Create New ASP.Net Core Project
- Configure Newly Created Project
- Serve Static Page
- Install Node Packages
- Manage Installed Packages
- Create Frontend Application
- HTML Templating
- Folder Structure
- Angular Dependencies
- TypeScript Configuration
- Root Component
- Root Module
- Bootstrapping Clientapp
- Creating Database
- Install Entity Framework Core
- Scaffolding MSSQL Database
- Configure Middleware
- Creating ASP.Net Core WebAPI
- Creating Client Services
- Perform CRUD Operation
- Test in Browser
Development Environment:
Following are prerequisites to develop our SPA sample.
- Visual Studio 2017
- NET Core 2.0 or later
- NodeJS and NPM
Visual Studio 2017: If you already have a copy of Visual Studio 2017 installed don’t worry otherwise Download Visual Studio Community 2017 for free.
.NET Core Downloads: Install the or later.
NodeJS and NPM: Install latest NodeJS and NPM
Make sure the environment is ready before stepping into.
Create ASP.Net Core Project:
Let’s create a new project with Visual Studio 2017 > File > New > Project
Choose empty template click > OK.
Here’s our new ASP.Net Core empty project with initial components.
Configure ASP.Net Core Project:
In this sample we are going to serve index.heml page as our main page from app root folder, to serve the page we need to configure in Startup.cs file. Here is the code snippet which is going to serve the page.
DefaultFilesOptions options = new DefaultFilesOptions(); options.DefaultFileNames.Clear(); options.DefaultFileNames.Add("/index.html"); app.UseDefaultFiles(options); app.UseStaticFiles();
Middleware to Handle Client Side Routes Fallback:
To avoid 404 error while reload the page in AngularJS SPA app we need to add middleware to handle client side route fallback. Below code snippet will take care of that. Here’s the original post: https://code.msdn.microsoft.com/How-to-fix-the-routing-225ac90f
app.Use(async (context, next) => { await next(); if (context.Response.StatusCode == 404 && !Path.HasExtension(context.Request.Path.Value)) { context.Request.Path = "/index.html"; context.Response.StatusCode = 200; await next(); } });
Get more details on middleware here: https://docs.microsoft.com/en-us/aspnet/core/fundamentals/middleware/?tabs=aspnetcore2x
Install Node Packages:
Let’s add frontend packages to our application. We need to add npm configuration file named package.json.
To do that right click the project then Goto > Add > New Item. From the new item add window choose npm Configuration File.
Here’s our list of frontend package dependencies.
{ "version": "1.0.0", "name": "asp.net", "private": true, "dependencies": { "/common": "^6.0.2", "/compiler": "^6.0.2", "/core": "^6.0.2", "/forms": "^6.0.2", "/http": "^6.0.2", "/platform-browser": "^6.0.2", "/platform-browser-dynamic": "^6.0.2", "/router": "^6.0.2", "/upgrade": "^6.0.2", "bootstrap": "^4.1.1", "core-js": "^2.5.6", "reflect-metadata": "^0.1.12", "rxjs": "^6.1.0", "systemjs": "^0.21.3", "zone.js": "^0.8.26" }, "devDependencies": { "/core-js": "^0.9.46", "typescript": "^2.8.3", "typings": "^2.1.1", "/node": "^10.0.4", "concurrently": "^3.5.1", "json-server": "^0.12.2", "gulp": "^3.9.1", "gulp-concat": "^2.6.1", "gulp-rename": "^1.2.2", "gulp-cssmin": "^0.2.0", "gulp-uglify": "^3.0.0", "gulp-htmlclean": "^2.7.20", "rimraf": "^2.6.2" } }
After installation all packages let’s transfer the required libraries from node_modules folder to “wwwroot/lib” for calling it to the main html page.
Manage Installed Packages:
We need to add a task runner like gulp file, then copy below code snippet and paste it to the newly added file.
///var gulp = require("gulp"), rimraf = require("rimraf"), concat = require("gulp-concat"), cssmin = require("gulp-cssmin"), uglify = require("gulp-uglify"), rename = require("gulp-rename"); var root_path = { webroot: "./wwwroot/" }; //library source root_path.nmSrc = "./node_modules/"; //library destination root_path.package_lib = root_path.webroot + "lib/"; gulp.task('copy-lib-js', function () { gulp.src('./node_modules/core-js/**/*.js') .pipe(gulp.dest(root_path.package_lib + 'core-js')); gulp.src('./node_modules//**/*.js') .pipe(gulp.dest(root_path.package_lib + '')); gulp.src('./node_modules/zone.js/**/*.js') .pipe(gulp.dest(root_path.package_lib + 'zone.js')); gulp.src('./node_modules/systemjs/**/*.js') .pipe(gulp.dest(root_path.package_lib + 'systemjs')); gulp.src('./node_modules/reflect-metadata/**/*.js') .pipe(gulp.dest(root_path.package_lib + 'reflect-metadata')); gulp.src('./node_modules/rxjs/**/*.js') .pipe(gulp.dest(root_path.package_lib + 'rxjs')); }); gulp.task("copy-all", ["copy-lib-js"]); //Copy End gulp.task('min-js', function () { gulp.src(['./clientapp/**/*.js']) .pipe(uglify()) .pipe(gulp.dest(root_path.webroot + 'app')) }); gulp.task('copy-html', function () { gulp.src('clientapp/**/*.html') .pipe(gulp.dest(root_path.webroot + 'app')); }); gulp.task("build-all", ["min-js", "copy-html"]); //Build End
Right click on gulpfile.js then go to “Task Runner Explorer”.
From the new window refresh the task then right click on task to run it like below screen.
As we can see our required libraries are loaded in “wwwroot/lib” folder.
Frontend Application
HTML Templating: In this section we are going to add basic bootstrap template to our main html page.
Folder Structure:
Below is our folder structure for the sample app. As we can see ‘clientapp’ is the root folder that consist of entry point file & root module. Root module has app component where other components are relate to root module through app component.
Angular Dependencies: To enable ES6 new feature we need to resolve below dependencies.
- : For es6 features to browsers.
- : Detect the changes.
- : TypeScript annotations/decorator.
- : Module loader
SystemJS Import : Here’s our application is loading to the browser by System.import() function.
System.import('app/main.js').catch(function (err) { console.error(err); });
Before importing module we need to configure SystemJS by using System.config() function we are going to define which package/file to load.
SystemJS Config : systemjs.config.js
/** * System configuration for Angular samples * Adjust as necessary for your application needs. */ (function (global) { System.config({ paths: { // paths serve as alias 'npm:': '/lib/' }, // map tells the System loader where to look for things map: { // our app is within the app folder 'app': 'app', // angular bundles '/core': 'npm:/core/bundles/core.umd.js', '/common': 'npm:/common/bundles/common.umd.js', '/compiler': 'npm:/compiler/bundles/compiler.umd.js', '/platform-browser': 'npm:/platform-browser/bundles/platform-browser.umd.js', '/platform-browser-dynamic': 'npm:/platform-browser-dynamic/bundles/platform-browser-dynamic.umd.js', '/http': 'npm:/http/bundles/http.umd.js', '/router': 'npm:/router/bundles/router.umd.js', '/forms': 'npm:/forms/bundles/forms.umd.js', // other libraries 'rxjs': 'npm:rxjs', 'rxjs-compat': 'npm:rxjs-compat', 'rxjs/operators': 'npm:rxjs/operators' }, // packages tells the System loader how to load when no filename and/or no extension packages: { 'app': { main: 'main.js', defaultExtension: 'js', meta: { '': { format: 'cjs' } } }, 'rxjs': { main: 'index.js', defaultExtension: 'js' }, 'rxjs/operators': { main: 'index.js', defaultExtension: 'js' } } }); })(this);
TypeScript Configuration:
We need to convert our typescript code to JavaScript for browser support by configuring TypeScript compiler. Below code snippet is for tsconfig.json file.
Configure Typescript : tsconfig.json
{ "compileOnSave": false, "compilerOptions": { "baseUrl": "./", "sourceMap": true, "declaration": false, "moduleResolution": "node", "emitDecoratorMetadata": true, "experimentalDecorators": true, "target": "es5", "typeRoots": [ "node_modules/" ], "lib": [ "es2017", "dom" ], "types": [ "core-js" ] }, "includes": [ "/**/*.ts" ] }
Root Component:
Every application has a root component which has two part annotation and definition. It has selector to match with main html page to render.
import { Component } from '/core'; ({ selector: 'my-app', templateUrl: './app/component/app/app.html' })
Root Module:
This is where our application components are defines, a module may have multiple component. Every application has a root module.
import { NgModule } from '/core'; import { BrowserModule } from '/platform-browser'; import { Routes, RouterModule } from '/router'; import { LocationStrategy, HashLocationStrategy } from '/common'; import { FormsModule, ReactiveFormsModule } from '/forms'; //Components import { AppComponent } from './component/app/component'; import { HomeComponent } from './component/home/component'; import { AboutComponent } from './component/about/component'; import { UserComponent } from './component/user/component'; //Routes const routes: Routes = [ { path: '', redirectTo: 'home', pathMatch: 'full' }, { path: 'home', component: HomeComponent }, { path: 'about', component: AboutComponent }, { path: 'user', component: UserComponent } ]; ({ declarations: [AppComponent, HomeComponent, AboutComponent, UserComponent], imports: [BrowserModule, FormsModule, ReactiveFormsModule, RouterModule.forRoot(routes)], bootstrap: [AppComponent] }) export class AppModule { }
Bootstrapping Clientapp:
Let’s create a main entry file, name it main.ts. Copy below code snippet paste it to newly created typescript file.
import { platformBrowserDynamic } from '/platform-browser-dynamic'; import { AppModule } from './module'; const platform = platformBrowserDynamic(); platform.bootstrapModule(AppModule);
In this point our application is bootstraps and launch the root module in browser. Here’s how we are bootstrapping our application in index.html page.
Main Html Page:
Please wait ...
Let’s build and run the application.
Our application is running, as we can see upper screen is appearing with welcome message. Next we will create form then submit & validate after that we are going to perform CRUD operations with SQL Database.
Creating Database:
Let’s Create a Database in MSSQL Server. Here is the table where we are storing data. Run below script in query window to create new database.
CREATE DATABASE [dbCore]
Creating Table:
USE [dbCore] GO SET ANSI_NULLS ON GO SET QUOTED_IDENTIFIER ON GO CREATE TABLE [dbo].[User]( [Id] [int] IDENTITY(1,1) NOT NULL, [FirstName] [nvarchar](250) NULL, [LastName] [nvarchar](250) NULL, [Email] [nvarchar](250) NULL, [Phone] [nvarchar](50) NULL, CONSTRAINT [PK_User] 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
Install Entity Framework Core:
Entity Framework (EF) Core is data access technology which is targeted for cross-platform. Let’s right click on project then GoTo > Tools > NuGet Package Manager > Package Manager Console install below packages one by one.
- Install-Package Microsoft.EntityFrameworkCore.SqlServer
- Install-Package Microsoft.EntityFrameworkCore.SqlServer.Design
- Install-Package Microsoft.EntityFrameworkCore.Tools.DotNet
EntityFrameworkCore.SqlServer: Database Provider, that allows Entity Framework Core to be used with Microsoft SQL Server.
EntityFrameworkCore.SqlServer.Design: Design-time, that allows Entity Framework Core functionality (EF Core Migration) to be used with Microsoft SQL Server.
EntityFrameworkCore.Tools: Command line tool for EF Core that Includes Commands
Scaffolding MSSQL Database:
We are going to generate EF models from existing database using reverse engineering using command in Package Manager Console.
Command:
Scaffold-DbContext "Server=DESKTOP-7OJNKVF;Database=dbCore;Trusted_Connection=True;" Microsoft.EntityFrameworkCore.SqlServer -Output serverapp/models
For Package Manager Console:
- Scaffold-DbContext
- Add-Migration
- Update-Database
For Command Window
- dotnet ef dbcontext scaffold
As we can see from solution explorer models folder is created with Context & Entities.
Now open the DbContext file then add a constructor to pass configuration like connectionstring into the DbContext.
public dbCoreContext(DbContextOptionsoptions) : base(options) { } protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder) { //if (!optionsBuilder.IsConfigured) //{ // #warning To protect potentially sensitive information in your connection string, you should move it out of source code. See http://go.microsoft.com/fwlink/?LinkId=723263 for guidance on storing connection strings. // optionsBuilder.UseSqlServer(@"Server=DESKTOP-7OJNKVF;Database=dbCore;Trusted_Connection=True;"); //} }
Configure Middleware:
Register DbContext: In Startup.cs let’s add our DbContext as service to enable database connection.
//Database Connection var connection = @"Server=DESKTOP-7OJNKVF;Database=dbCore;Trusted_Connection=True;"; services.AddDbContext(options => options.UseSqlServer(connection));
Creating ASP.Net Core WebAPI:
Here’s our ASP.Net Core WebAPI Controller using specific RoutePrefix attribute globally. With this api controller class we are performing database operation using Entity Framework DbContext.
[Route("api/Values"), Produces("application/json"), EnableCors("AppPolicy")] public class ValuesController : Controller { private dbCoreContext _ctx = null; public ValuesController(dbCoreContext context) { _ctx = context; } // GET: api/Values/GetUser [HttpGet, Route("GetUser")] public async Task
All right, our WebAPI is ready to interact with database. Our next step is to prepare client model, component and services to interact with WebAPI’s.
Perform CRUD Operation:
Let’s get started with form design. There are two strategy of angular6 form, in this sample we have used Model-driven form.
- Template-driven
- Model-driven
UI: user.html
Let’s create a typescript model class, then use it in another component by importing like
import { UserModel } from './model';
Typescript Model : UserModel
export class UserModel { id: number; firstName: string; lastName: string; phone: string; email: string; }
Below is our UserComponent that is interacting with UI, validating form then sending/receiving data from service component.
Imports the Component function from Angular6 library, use of “export” that mean app component class can be imported from other component.
Component : UserComponent
import { Component, OnInit } from '/core'; import { FormGroup, FormControl, Validators, FormBuilder } from '/forms'; import { UserModel } from './model'; import { UserService } from './service'; ({ selector: 'user', templateUrl: './app/component/user/user.html', providers: [UserService] }) export class UserComponent implements OnInit { public user: UserModel; public users: UserModel[]; public resmessage: string; userForm: FormGroup; constructor(private formBuilder: FormBuilder, private userService: UserService) { } ngOnInit() { this.userForm = this.formBuilder.group({ id: 0, firstName: new FormControl('', Validators.required), lastName: new FormControl('', Validators.required), email: new FormControl('', Validators.compose([ Validators.required, Validators.pattern('^[a-zA-Z0-9_.+-]+@[a-zA-Z0-9-]+.[a-zA-Z0-9-.]+$') ])), phone: new FormControl('', Validators.required) }); this.getAll(); } onSubmit() { if (this.userForm.invalid) { return; } } //Get All User getAll() { //debugger this.userService.getall().subscribe( response => { //console.log(response) this.users = response; }, error => { console.log(error); } ); } //Get by ID edit(e, m) { //debugger e.preventDefault(); this.userService.getByID(m.id) .subscribe(response => { //console.log(response); this.user = response; this.userForm.setValue({ id: this.user.id, firstName: this.user.firstName, lastName: this.user.lastName, email: this.user.email, phone: this.user.phone }); }, error => { console.log(error); }); } //Save Form save() { //debugger this.userService.save(this.userForm.value) .subscribe(response => { //console.log(response) this.resmessage = response; this.getAll(); this.reset(); }, error => { console.log(error); }); } //Delete delete(e, m) { //debugger e.preventDefault(); var IsConf = confirm('You are about to delete ' + m.firstName + '. Are you sure?'); if (IsConf) { this.userService.delete(m.id) .subscribe(response => { //console.log(response) this.resmessage = response; this.getAll(); }, error => { console.log(error); }); } } reset() { this.userForm.setValue({ id: 0, firstName: null, lastName: null, email: null, phone: null }); } }
Below is service component which will get call for each operation performed by UserComponent.
In our UserService we have Http service [Get, Post, Put, Delete] that connect with WebAPI to perform Create, Read, Update & Delete operations.
Http Client Services : UserService
import { Injectable, Component } from '/core'; import { HttpModule, Http, Request, RequestMethod, Response, RequestOptions, Headers } from '/http'; import { Observable, Subject, ReplaySubject } from 'rxjs'; import { map, catchError } from 'rxjs/operators'; //Model import { UserModel } from './model'; ({ providers: [Http] }) () export class UserService { public headers: Headers; public _getUrl: string = '/api/Values/GetUser'; public _getByIdUrl: string = '/api/Values/GetByID'; public _deleteByIdUrl: string = '/api/Values/DeleteByID'; public _saveUrl: string = '/api/Values/Save'; constructor(private _http: Http) { } //Get getall(): Observable{ return this._http.get(this._getUrl) .pipe(map(res => res.json())) .pipe(catchError(this.handleError)); } //GetByID getByID(id: string): Observable { var getByIdUrl = this._getByIdUrl + '/' + id; return this._http.get(getByIdUrl) .pipe(map(res => res.json())) .pipe(catchError(this.handleError)); } //Post save(user: UserModel): Observable { let body = JSON.stringify(user); let headers = new Headers({ 'Content-Type': 'application/json' }); let options = new RequestOptions({ headers: headers }); return this._http.post(this._saveUrl, body, options) .pipe(map(res => res.json().message)) .pipe(catchError(this.handleError)); } //Delete delete(id: string): Observable { var deleteByIdUrl = this._deleteByIdUrl + '/' + id return this._http.delete(deleteByIdUrl) .pipe(map(response => response.json().message)) .pipe(catchError(this.handleError)); } private handleError(error: Response) { return Observable.throw(error.json().error || 'Opps!! Server error'); } }
Test in Browser:
Now it’s time to build & run the application. Let’s try to perform the CRUD operation using the system. As we can see from below screenshot data are loading in user page from database.
Summary:
In this sample we have combine ASP.Net Core & Angular to create the sample SPA app without any CLI, learn how to start with an empty ASP.Net Core application to serve static html page.
We also have deep dive into latest frontend technology like Angular6 from scratch to build a single page application. Have a short overview on Angular6 dependencies & also have ideas of module, components. Then we have perform some database operation using our sample application. Hope this will help.
Downloads:
I’ve uploaded the full source code to download/clone , Thanks 🙂