In our previous article, we have seen how to startup with .NET Core. In this article, we will take a look at database operations according to previous sample applications based on previous concepts.
If you are new to .NET Core, please read my previous post about .Net Core Startup
In this article, we are going to explore the following:
- Create Database
- Use Entity Framework Core (Db First Approach),
- Overview EF Core
- Install Entity Framework
- Create Models
- Configure EF Service
- Use MVC 6
- Use AngularJS2
- Configure Server
- Run App inside/outside IIS
Let’s get started.
Create Database
Before we get started with IDE, let's create a new database using SSMS 2014 (SQL Server Management System). Name it as PhoneBook.
Create a table named Contacts, copy & run the below script in SSMS 2014:
- USE [PhoneBook]
- GO
-
- /****** Object: Table [dbo].[Contacts] Script Date: 8/7/2016 11:28:55 AM ******/
- SET ANSI_NULLS ON
- GO
-
- SET QUOTED_IDENTIFIER ON
- GO
-
- CREATE TABLE [dbo].[Contacts](
- [ContactID] [int] IDENTITY(1,1) NOT NULL,
- [FirstName] [nvarchar](50) NULL,
- [LastName] [nvarchar](50) NULL,
- [Phone] [nvarchar](50) NULL,
- [Email] [nvarchar](50) NULL,
- CONSTRAINT [PK_Contacts] PRIMARY KEY CLUSTERED
- (
- [ContactID] 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
Following our previous topic, I am going to use previous sample application. Open it with Visual Studio 2015.
It will automatically start restoring the dependencies. Build & run it. The application is working perfectly.
Install Entity Framework: Before installation, let’s have an overview on EF Core new features
- Modelling: This includes Basic Modelling, Data Annotations, Relationships, and much more.
- Change Tracking: This includes Accessing tracked state, Snapshot, Notification change tracking.
- SaveChanges: This includes Basic save functionality, Async SaveChanges,Transactions.
- Query: This includes Basic LINQ support, Async query, Raw SQL queries
- Database schema management: This includes database creation/deletion, APIs, Relational database migrations, and Reverse engineering from database.
- Database providers: This includes EntityFramework, SQL Server, Sqlite, InMemory
- Platforms: Supports Universal Windows Platform (UWP), .NET Core, Full .NET
Get more details about EF Core.
Let’s add folders for Entity models in our sample app solution.
DbEntities: for model entities.
The installation of EF is pretty much simple. Open project.json file, point tools section, modify the section with below lines.
- "Microsoft.EntityFrameworkCore.SqlServer": "1.0.0",
- "Microsoft.EntityFrameworkCore.Tools": "1.0.0-preview2-final",
- "Microsoft.EntityFrameworkCore.SqlServer.Design": "1.0.0"
Save changes after modification.
Packages will be automatically restored. Let’s get an explanation of what those are.
EntityFrameworkCore.SqlServer: Database Provider, that allows Entity Framework Core to be used with Microsoft SQL Server.
EntityFrameworkCore.Tools:
Command line tool for EF Core. Includes Commands
For Package Manager Console
- Scaffold-DbContext,
- Add-Migration,
- Udate-Database
For Command Window
- dotnet ef dbcontext scaffold
We will see how to use both commands.
EntityFrameworkCore.SqlServer.Design: Design-time that allows Entity Framework Core functionality (EF Core Migration) to be used with Microsoft SQL Server.
To access the Command line tools. we need to add EntityFrameworkCore.Tools in tools section of our project.json.
"Microsoft.EntityFrameworkCore.Tools": "1.0.0-preview2-final"
Save changes after modification.
Command in Package Manager Console: Open Package Manager console.
Input the following commands and hit enter.
Scaffold-DbContext "Server=DESKTOP-4T79RA1;Database=PhoneBook;Trusted_Connection=True;" Microsoft.EntityFrameworkCore.SqlServer -OutputDir Models/DbEntities
Command in Command Window: Open Command Window, navigate to project directory, and type,
D:\Article\ASP-CORE\CRUD\CoreMVCAngular2\src\CoreMVCAngular>dotnet ef –help
Here, a list of options will be shown in command window. We are going to use dbcontext in Commands.
Next, input the below command and hit enter,
D:\Article\ASP-CORE\CRUD\CoreMVCAngular2\src\CoreMVCAngular>dotnet ef dbcontext scaffold "Server=DESKTOP-4T79RA1;Database=PhoneBook;Trusted_Connection=True;" Microsoft.EntityFrameworkCore.SqlServer --output-dir Models/CwEntities
Here is a screenshot of both processes that execute & generate models. We will keep DbEntities folder to work with & will delete the other folder.
Configure EF Service
In PhoneBookContext Class, add constructor.
- public PhoneBookContext(DbContextOptions<PhoneBookContext> options) :
- base(options)
- {
- }
In Startup class, we need to enable EF services providing the connectionstring to,
- public void ConfigureServices(IServiceCollection services) {
- services.AddMvc();
- var connection = @ "Server=DESKTOP-4T79RA1;Database=PhoneBook;Trusted_Connection=True;";
- services.AddDbContext < PhoneBookContext > (options => options.UseSqlServer(connection));
- }
We have configured the EF services in our application. Next, we will work with MVC 6 that is included in ASP.NET Core.
MVC 6: We have already discussed about MVC 6 in our previous post. Let's have an overview on MVC 6 new features, once again:
- MVC+Web API+Web Pages = MVC6
- No System.Web
- Web pages & HTTP services is Unified
- Dependency injection built in
- Dynamic code compilation (Roslyn compiler)
- Open source &
- Support cross-platform build & run.
- Can be hosted in IIS or self-hosted(Outside IIS)
OK. Now, let’s add a WebAPI Controller to perform the CRUD operation to database table.
In Solution Explorer, add a new API folder. Right click on it > Add New Item > Web API Controller Class > Add. Modify the initial template.
API Controller
- [Route("api/[controller]")]
- public class ContactController: Controller {
- private PhoneBookContext _ctx = null;
- public ContactController(PhoneBookContext context) {
- _ctx = context;
- }
- }
You may have noticed that there is a new pattern [ ] in MVC 6 attribute route, [RouteToken]. This means that the route token has automatically taken the controller name.
Like [Route("api/[controller]")] > [Route("api/Contact")]
Another thing, we know Web API produces XML by default. Now, in MVC 6, we can set an attribute to change the default produces to JSON type by putting attribute in Class label or on method label. In our case, we have set it on method label.
[HttpGet("GetContact"), Produces("application/json")]
GET
-
- [HttpGet("GetContact"), Produces("application/json")]
- public async Task<object> GetContact()
- {
- List<Contacts> contacts = null;
- object result = null;
- try
- {
- using (_ctx)
- {
- contacts = await _ctx.Contacts.ToListAsync();
- result = new
- {
- contacts
- };
- }
- }
- catch (Exception ex)
- {
- ex.ToString();
- }
- return result;
- }
POST
-
- [HttpPost, Route("PostContact")]
- public async Task<object> PostContact([FromBody]Contacts model)
- {
- object result = null; int message = 0;
- if (model == null)
- {
- return BadRequest();
- }
- using (_ctx)
- {
- using (var _ctxTransaction = _ctx.Database.BeginTransaction())
- {
- try
- {
- _ctx.Contacts.Add(model);
- await _ctx.SaveChangesAsync();
- _ctxTransaction.Commit();
- message = (int)responseMessage.Success;
- }
- catch (Exception e)
- {
- _ctxTransaction.Rollback();
- e.ToString();
- message = (int)responseMessage.Error;
- }
-
- result = new
- {
- message
- };
- }
- }
- return result;
- }
PUT
-
- [HttpPut, Route("PutContact/{id}")]
- public async Task<object> PutContact(int id, [FromBody]Contacts model)
- {
- object result = null; int message = 0;
- if (model == null)
- {
- return BadRequest();
- }
- using (_ctx)
- {
- using (var _ctxTransaction = _ctx.Database.BeginTransaction())
- {
- try
- {
- var entityUpdate = _ctx.Contacts.FirstOrDefault(x => x.ContactId == id);
- if (entityUpdate != null)
- {
- entityUpdate.FirstName = model.FirstName;
- entityUpdate.LastName = model.LastName;
- entityUpdate.Phone = model.Phone;
- entityUpdate.Email = model.Email;
-
- await _ctx.SaveChangesAsync();
- }
- _ctxTransaction.Commit();
- message = (int)responseMessage.Success;
- }
- catch (Exception e)
- {
- _ctxTransaction.Rollback(); e.ToString();
- message = (int)responseMessage.Error;
- }
-
- result = new
- {
- message
- };
- }
- }
- return result;
- }
DELETE
-
- [HttpDelete, Route("DeleteContactByID/{id}")]
- public async Task<object> DeleteContactByID(int id)
- {
- object result = null; int message = 0;
- using (_ctx)
- {
- using (var _ctxTransaction = _ctx.Database.BeginTransaction())
- {
- try
- {
- var idToRemove = _ctx.Contacts.SingleOrDefault(x => x.ContactId == id);
- if (idToRemove != null)
- {
- _ctx.Contacts.Remove(idToRemove);
- await _ctx.SaveChangesAsync();
- }
- _ctxTransaction.Commit();
- message = (int)responseMessage.Success;
- }
- catch (Exception e)
- {
- _ctxTransaction.Rollback(); e.ToString();
- message = (int)responseMessage.Error;
- }
-
- result = new
- {
- message
- };
- }
- }
- return result;
- }
So, our Web API is ready for dealing with the data to database. It’s the time to work with client side scripting.
AngularJS2
Our WebAPI is ready to deal with the data from server. Now, we are going to work in client-side code with typescript (.ts) files.
First of all, we need to create a Master page to present our views in it.
Then, we need to point this HTML file while app starts. So, let’s go to the startup.cs file to add below code snippet.
This is the configuration for the default files Middleware.
Startup.cs
-
- DefaultFilesOptions options = new DefaultFilesOptions();
- options.DefaultFileNames.Clear();
- options.DefaultFileNames.Add("/Index.html");
- need to add library
- using Microsoft.AspNetCore.Builder;
- Now add script library reference to the html page & define view point to load our app component views.
- <spa-app>
- <p>
- <img src="img/ajax_small.gif" /> Please wait ...
- </p>
- </spa-app>
Then, we need to reference our bootstrap file in our page that imports & enables our Angular script to the page.
- <script>
- System.config({
- packages: {
- 'app': {
- defaultExtension: 'js'
- }
- },
- });
- System.import('app/main').then(null, console.error.bind(console));
- </script>
Let’s put together all those in Index.html file.
Index.html
- <!DOCTYPE html>
- <html>
- <head>
- <meta charset="utf-8" />
- <meta name="viewport" content="width=device-width" />
- <title></title>
-
- <base href="/">
- <script>document.write('<base href="' + document.location + '" />');</script>
- <script src="../lib-npm/es6-shim/es6-shim.js"></script>
- <script src="../lib-npm/angular2/angular2-polyfills.js"></script>
- <script src="../lib-npm/systemjs/system.src.js"></script>
- <script src="../lib-npm/rxjs/Rx.js"></script>
- <script src="../lib-npm/angular2/angular2.js"></script>
- <script src="../lib-npm/angular2/router.js"></script>
- <script src="../lib-npm/angular2/http.js"></script>
-
- <link href="../lib/bootstrap/dist/css/bootstrap.min.css" rel="stylesheet" />
- </head>
- <body>
- <div class="container">
- <spa-app>
- <p>
- <img src="img/ajax_small.gif" /> Please wait ...
- </p>
- </spa-app>
-
- </div>
- <script src="../lib/jquery/dist/jquery.min.js"></script>
- <script src="../lib/bootstrap/dist/js/bootstrap.min.js"></script>
- <script>
- System.config({ packages: { 'app': { defaultExtension: 'js' } }, });
- System.import('app/main').then(null, console.error.bind(console));
- </script>
- </body>
- </html>
Bootstrap, Model, Component & Route
Main.ts
-
-
-
- import {bootstrap} from 'angular2/platform/browser';
- import {enableProdMode, provide} from 'angular2/core';
-
-
- import {MainComponent} from './app.component';
-
-
- enableProdMode();
- bootstrap(MainComponent);
App.component.ts
-
-
-
- import {Component, provide} from 'angular2/core';
- import {RouteConfig, ROUTER_DIRECTIVES, ROUTER_PROVIDERS, LocationStrategy, HashLocationStrategy, APP_BASE_HREF} from 'angular2/router';
-
-
- import {Home} from './home/home.component';
- import {Contact} from './contact/contact.component';
-
-
- @Component({
- selector: 'spa-app',
- directives: [ROUTER_DIRECTIVES],
- templateUrl: 'app/main.view.html',
- providers: [
- ROUTER_PROVIDERS,
-
- provide(LocationStrategy, { useClass: HashLocationStrategy })
- ]
- })
-
-
- @RouteConfig([
- { path: '/', name: 'Home', component: Home, useAsDefault: true },
- { path: '/Contact/...', name: 'Contact', component: Contact }
- ])
-
-
-
- export class MainComponent {
- title: string;
- constructor() {
- this.title = 'Welcome to [.NetCore+MVC6+Angular2] SPA';
- }
- }
Home.ts
- import {
- Component
- } from 'angular2/core';
- @Component({
- selector: 'home',
- templateUrl: `app/home/home.view.html`
- })
- export class Home {
- constructor() {}
- }
Contact.model.ts
- export class ContactModel {
- contactId: number;
- firstName: string;
- lastName: string;
- phone: string;
- email: string;
- }
Contact.component.ts
-
- import {
- Component
- } from 'angular2/core';
- import {
- ROUTER_DIRECTIVES,
- RouteConfig
- } from 'angular2/router';
-
- import {
- ContactMain
- } from './contact.main';
-
- @Component({
- selector: 'contacts',
- template: `<router-outlet></router-outlet>`,
- directives: [ROUTER_DIRECTIVES]
- })
- @RouteConfig([{
- path: '/',
- name: 'ManageContact',
- component: ContactMain,
- useAsDefault: true
- }, ])
- export class Contact {
- constructor() {}
- }
Contact.main.ts
-
- import {
- Component,
- OnInit
- } from 'angular2/core';
- import {
- HTTP_PROVIDERS,
- Http
- } from 'angular2/http';
- import {
- ROUTER_DIRECTIVES,
- RouteConfig
- } from 'angular2/router';
- import {
- FORM_DIRECTIVES,
- FormBuilder,
- Control,
- ControlGroup,
- Validators
- } from 'angular2/common';
-
- import {
- ContactModel
- } from './contact.model';
- import {
- ContactService
- } from './contact.service';
- import {
- customvalidators
- } from './customvalidators';
-
- @Component({
- selector: 'contact-list',
- templateUrl: `app/contact/contact.view.html`,
- directives: [ROUTER_DIRECTIVES, FORM_DIRECTIVES],
- providers: [ContactService, HTTP_PROVIDERS]
- })
-
- export class ContactMain implements OnInit {
- public resmessage: string;
- public addmessage: string;
- public listmessage: string;
- public contact: ContactModel;
- public contacts: ContactModel[];
- public editContactId: any
-
- contactForm: ControlGroup;
- firstName: Control;
- email: Control;
- phone: Control;
-
- constructor(private builder: FormBuilder, private contactService: ContactService) {
- this.addmessage = 'Add New Contact';
- this.listmessage = 'All Contact';
- this._formGroup();
- }
- ngOnInit() {
- this.resmessage = "";
- this.editContactId = 0;
- this.getContacts();
- }
-
- _formGroup() {
- this.firstName = new Control('', Validators.required);
- this.email = new Control('', Validators.compose([Validators.required, customvalidators.emailValidator]));
- this.phone = new Control('');
- this.contactForm = this.builder.group({
- firstName: this.firstName,
- email: this.email,
- phone: this.phone
- });
- }
-
- getContacts() {
-
- this.contactService.getContacts().subscribe(contacts => this.contacts = contacts);
- }
-
- saveContact(contact) {
-
- this.contactService.saveContact(contact).subscribe(response => {
- this.resmessage = response;
- this.getContacts();
- this.reset();
- });
- }
-
- editContact(e, m) {
-
- e.preventDefault();
- this.editContactId = m.contactId;
- this.contactService.getContactByID(m.contactId).subscribe(response => {
- this.contact = response;
- this.firstName.updateValue(this.contact.firstName);
- this.email.updateValue(this.contact.email);
- this.phone.updateValue(this.contact.phone);
- });
- }
-
- updateContact(contact: any) {
-
- if (this.editContactId > 0) {
- this.contactService.updateContact(contact, this.editContactId).subscribe(response => {
- this.resmessage = response;
- this.getContacts();
- this.reset();
- });
- }
- }
-
- deleteContact(e, m) {
-
- e.preventDefault();
- var IsConf = confirm('You are about to delete ' + m.firstName + '. Are you sure?');
- if (IsConf) {
- this.contactService.deleteContact(m.contactId).subscribe(response => {
- this.resmessage = response;
- this.getContacts();
- });
- }
- }
- reset() {
- this.editContactId = 0;
- this._formGroup();
- }
- }
Let’s take a closer look at the below code snippet, we have the service method call in here, but the unknown term Subscribe - What is it for? Below we have a simple explanation.
- this.contactService.getContacts().subscribe(
- contacts => this.contacts = contacts
- );
Subscribe: The subscriber function to be passed to the Observable constructor.
Services
In our service file, we have HTTP service [Get, GetByID, Post, Put, Delete] that connects with WebAPI to perform the operations Create, Read, Update & Delete.
GET ALL: Performs a request with `get` http method. For Collection of Object,
-
- getContacts(): Observable<ContactModel[]> {
-
- return this._http.get(this._getUrl)
- .map(res => <ContactModel[]>res.json())
- .catch(this.handleError);
- }
GET By ID: Performs a request with `get` http method. For Single Object
-
- getContactByID(id: string): Observable<ContactModel> {
-
- var getByIdUrl = this._getByIdUrl + '/' + id;
- return this._http.get(getByIdUrl)
- .map(res => <ContactModel>res.json())
- .catch(this.handleError);
- }
POST: Performs a request with `post` http method.
-
- saveContact(contact: ContactModel): Observable<string> {
-
- let body = JSON.stringify(contact);
- let headers = new Headers({ 'Content-Type': 'application/json' });
- let options = new RequestOptions({ headers: headers });
-
-
- return this._http.post(this._saveUrl, body, options)
- .map(res => res.json().message)
- .catch(this.handleError);
- }
PUT: Performs a request with `put` http method.
-
- updateContact(contact: ContactModel, id: string): Observable < string > {
-
- var updateUrl = this._updateUrl + '/' + id;
- var body = JSON.stringify(contact);
- var headers = new Headers();
- headers.append('Content-Type', 'application/json');
-
- return this._http.put(updateUrl, body, {
- headers: headers
- }).map(response => response.json().message).catch(this.handleError);
- }
DELETE: Performs a request with `delete` http method.
-
- deleteContact(id: string): Observable < string >
- {
-
- var deleteByIdUrl = this._deleteByIdUrl + '/' + id
-
- return this._http.delete(deleteByIdUrl).map(response => response.json().message).catch(this.handleError);
- }
Observable : [Observable<T>] A representation of any set of values over any amount of time. This the most basic building block of RxJS.
Let’s put it together in Contact.service file.
Contact.service.ts
- import {
- Injectable,
- Component
- } from 'angular2/core';
- import {
- Http,
- Request,
- RequestMethod,
- Response,
- RequestOptions,
- Headers
- } from 'angular2/http';
- import 'rxjs/Rx';
- import {
- Observable
- } from 'rxjs/Observable';
- import {
- ContactModel
- } from './contact.model';
- @Component({
- providers: [Http]
- })
- @Injectable()
- export class ContactService {
- public headers: Headers;
- constructor(private _http: Http) {}
- public _saveUrl: string = '/api/Contact/PostContact/';
- public _updateUrl: string = '/api/Contact/PutContact/';
- public _getUrl: string = '/api/Contact/GetContact/';
- public _getByIdUrl: string = '/api/Contact/GetContactByID/';
- public _deleteByIdUrl: string = '/api/Contact/DeleteContactByID/';
-
- getContacts(): Observable < ContactModel[] > {
-
- return this._http.get(this._getUrl).map(res => < ContactModel[] > res.json()).catch(this.handleError);
- }
-
- getContactByID(id: string): Observable < ContactModel > {
-
- var getByIdUrl = this._getByIdUrl + '/' + id;
- return this._http.get(getByIdUrl).map(res => < ContactModel > res.json()).catch(this.handleError);
- }
-
- saveContact(contact: ContactModel): Observable < string > {
-
- let body = JSON.stringify(contact);
- let headers = new Headers({
- 'Content-Type': 'application/json'
- });
- let options = new RequestOptions({
- headers: headers
- });
-
- return this._http.post(this._saveUrl, body, options).map(res => res.json().message).catch(this.handleError);
- }
-
- updateContact(contact: ContactModel, id: string): Observable < string > {
-
- var updateUrl = this._updateUrl + '/' + id;
- var body = JSON.stringify(contact);
- var headers = new Headers();
- headers.append('Content-Type', 'application/json');
-
- return this._http.put(updateUrl, body, {
- headers: headers
- }).map(response => response.json().message).catch(this.handleError);
- }
-
- deleteContact(id: string): Observable < string > {
-
- var deleteByIdUrl = this._deleteByIdUrl + '/' + id
-
- return this._http.delete(deleteByIdUrl).map(response => response.json().message).catch(this.handleError);
- }
- private handleError(error: Response) {
- return Observable.throw(error.json().error || 'Opps!! Server error');
- }
- }
Let’s discus about form in Angular2, there are two strategis of Angular2 form.
- Template-driven
- Model-driven
Template-driven
In template-driven forms, directives are added declaratively in the template.
- <input id="firstName" type="text"
- class="form-control"
- placeholder="FirstName" [ngFormControl]="firstName" required>
Noticed that the validator is added declaratively with the input element “required”.
Model-driven
In our sample app, we have used model-driven form that has ngFormModel & ngFormControl. Here, ngFormControl is binded with input element to get the input values through the control.
ngFormModel: binding it to a controller variable “contactForm”,
<form [ngFormModel]="contactForm">
ngFormControl
- <input id="firstName" type="text"
- class="form-control"
- placeholder="FirstName" [ngFormControl]="firstName">
ControlGroup contains several Controls.
-
- contactForm: ControlGroup;
- firstName: Control;
- email: Control;
- phone: Control;
An Injected FormBulder uses the builder to create the control group which is passed as key value pairs.
private builder: FormBuilder
-
- _formGroup() {
-
- this.firstName = new Control('', Validators.required);
- this.email = new Control('', Validators.compose([Validators.required, customvalidators.emailValidator]));
- this.phone = new Control('');
-
- this.contactForm = this.builder.group({
- firstName: this.firstName,
- email: this.email,
- phone: this.phone
- });
- }
The validations are also checked in our component. Below, we have our Model-driven complete form.
Form
- <form [ngFormModel]="contactForm">
- <div class="form-group" [ngClass]="{ 'has-error' : !firstName.valid }">
- <label class="control-label" for="firstName">Username</label>
- <em *ngIf="!firstName.valid">*</em>
- <input id="firstName" type="text"
- class="form-control"
- placeholder="FirstName" [ngFormControl]="firstName">
- </div>
- <div class="form-group" [ngClass]="{ 'has-error' : !email.valid }">
- <label class="control-label" for="email">Email</label>
- <em *ngIf="!email.valid">*</em>
- <input id="email" type="email"
- class="form-control"
- placeholder="Email" [ngFormControl]="email">
- </div>
- <div class="form-group">
- <label class="control-label" for="phone">Phone</label>
- <input id="phone" type="text" class="form-control" placeholder="Phone" [ngFormControl]="phone">
- </div>
- <div class="form-group">
- <button type="submit" class="btn btn-danger" (click)="reset()">Reset</button>
- <button type="submit" class="btn btn-primary" (click)="saveContact(contactForm.value)"
- *ngIf="editContactId == 0"
- [disabled]="!contactForm.valid">Create</button>
- <button type="submit" class="btn btn-success" (click)="updateContact(contactForm.value)"
- *ngIf="editContactId > 0"
- [disabled]="!contactForm.valid">Update</button>
- </div>
- </form>
Here is the complete contact View page which we have used in our application.
Contact.view.html
- <div class="row">
- <div class="col-sm-4">
- <h3>Phone Book {{addmessage}}</h3>
- <form [ngFormModel]="contactForm">
- <div class="form-group" [ngClass]="{ 'has-error' : !firstName.valid }">
- <label class="control-label" for="firstName">Username</label>
- <em *ngIf="!firstName.valid">*</em>
- <input id="firstName" type="text"
- class="form-control"
- placeholder="FirstName" [ngFormControl]="firstName">
- </div>
- <div class="form-group" [ngClass]="{ 'has-error' : !email.valid }">
- <label class="control-label" for="email">Email</label>
- <em *ngIf="!email.valid">*</em>
- <input id="email" type="email"
- class="form-control"
- placeholder="Email" [ngFormControl]="email">
- </div>
- <div class="form-group">
- <label class="control-label" for="phone">Phone</label>
- <input id="phone" type="text" class="form-control" placeholder="Phone" [ngFormControl]="phone">
- </div>
- <div class="form-group">
- <button type="submit" class="btn btn-danger" (click)="reset()">Reset</button>
- <button type="submit" class="btn btn-primary" (click)="saveContact(contactForm.value)"
- *ngIf="editContactId == 0"
- [disabled]="!contactForm.valid">Create</button>
- <button type="submit" class="btn btn-success" (click)="updateContact(contactForm.value)"
- *ngIf="editContactId > 0"
- [disabled]="!contactForm.valid">Update</button>
- </div>
- </form>
- <span class="warning">{{resmessage}}</span>
- </div>
- <div class="col-sm-8">
- <h3>Phone Book {{listmessage}}</h3>
- <table style="width:100%" class="table table-striped">
- <tr>
- <th>ID</th>
- <th>Firstname</th>
- <th>Email</th>
- <th>Phone</th>
- <th>Option</th>
- </tr>
- <tr *ngFor="#contact of contacts">
- <td>{{ contact.contactId }}</td>
- <td>{{ contact.firstName }}</td>
- <td>{{ contact.email }}</td>
- <td>{{ contact.phone }}</td>
- <td>
- <a href="javascript:void(0)"
- (click)="deleteContact($event, contact)"
- class="btn btn-danger btn-xs pull-right">Delete</a>
- <a href="javascript:void(0)"
- (click)="editContact($event, contact)"
- class="btn btn-primary btn-xs pull-right">Edit</a>
- </td>
- </tr>
- </table>
- </div>
- </div>
This is all from our Angular section in our sample app that we have used to perform client-end operation. Now, it’s time to build & run the application. Next, we will get overview on Server Configuration.
Configure Server
Outside IIS (Weblistener): We can host & run our application without an IIS environment, we need to add command object that tell the hosting to use the HTTP server weblistener (Windows-only).
- "commands": {
- "OutsideIIS": "Microsoft.AspNet.Hosting --server Microsoft.AspNet.Server.Weblistener --server.urls http://localhost:5001"
- },
Make sure the dependencies is exist
"Microsoft.AspNetCore.Server.WebListener": "0.1.0"
Now, go to Solution Explorer, right click project > properties > Debug , change the profile to Outside IIS.
Set launch URL, then save & run the application.
Server will start with hosting environment details,
The application is running on the URL http://localhost:5000 with details request info.
Inside IIS (Kestrel): Kestrel is a cross-platform web server which is run behind IIS or Nginx.
Change to IIS Express from navigation bar dropdown list to run the application using IIS. OK. Let’s run our application to see the way how it works.
Output
Here, we can see the application output with welcome message & the data is listed from the server through our MVC6 –WebAPI. Here, we can perform CRUD operation with required validation.
I hope this will help.