.NET

Cross-platform Single Page Applications with ASP.NET 5, Angular 2 & TypeScript

[purchase_link id=”6942″ text=”Download” style=”button” color=”blue”]

ASP.NET 5 and Angular 2 are probably the hottest new frameworks in terms of both of them are entirely re-written from scratch. We, as web developers are more than eager to test both of these two super promising frameworks and get ready to build cutting-edge applications. After writing the Building Single Page Applications using Web API and angularJS post which was fortunately widely liked by thousands of readers, I have started receiving comments in order to upgrade the same application we built on the previous post to ASP.NET 5, Angular 2 and of course Typescript. Though it would be nice to do it and have two different versions of the same application, I have finally decided to build an entirely different application cause it’s always nice to be creative and new stuff give you that opportunity. Once again, this post gonna be quite large so we will break it in to the following sections. You are strongly recommended to grab a cup of coffee before start reading the rest of this post:

  • What are we going to build: Present our Single Page Application application’s features with several screenshots.
  • What are we going to use: Describe the technologies, frameworks, languages and tools we ‘ll use to build the application.
  • Prerequisites: Prepare our development environment to build a cross-platform ASP.NET 5 application.
  • Create and configure the application: Start with an empty ASP.NET 5 application and configure it step by step for using ASP.NET MVC 6. We will also install all the server and client packages we ‘ll need to build the SPA (project.json, package.json (NPM), gulpfile.js (Gulp), bower.json (Bower)).
  • Entity Framework 7: Configure EF 7 Code First migrations and write a database initializer. We will also create the back-end infrastructure Entities, Reposistories and set the Dependency Injection as well.
  • Single Page Application: Start building the Photo Gallery Single Page Application.
  • Discussion: Discuss the choices we made and what comes next.

Are you ready? Let’s start!
Fig1_6155

What are we going to build

We will create a Single Page Application to display a gallery’s photos. The landing (default) view will present some information about the app such as the technologies used for building the application.
Fig2_6155
When user clicks the Photos tab the corresponding component is being rendered, displaying some photos to the user. Pagination is also supported.
Fig3_6155
The Albums tab displays using pagination features the albums existing in the gallery. In order to view this component the user needs to be Authorized. This means that the user will be automatically redirected to the Login component if he hasn’t logged in yet.
Fig4_6155
An authenticated user can click and display a specific albums’s photos where he can also remove any of them. Before removing a photo a confirmation popup message appears. More over, a notification service display success or error messages.
Fig5_6155
Sign in and Registration components are pretty much self-explanatory. Validation messages will inform the user for required fields.
Fig7_6155
Fig8_6155
All views should be rendered smoothly in all types of screens (desktops, tablets, mobiles..) giving the sense of a responsive application.
Fig9_6155
Fig10_6155

What are we going to use

The essence of post is the technologies, frameworks and tools we are going to use to build the PhotoGallery Single Page Application. It’s gonna be a pure modern web application built with the latest patterns and tools exist at the time this post is being written. Let’s view all of them in detail.

    1. ASP.NET 5: Microsoft’s redesigned, open source and cross-platform framework.
    2. Entity Framework 7: The latest version of the Entity Framework Object Relational Mapper.
    3. Angular 2: The famous AngularJS re-written and re-designed from scratch. Angular 2 is a development platform for building mobile and desktop applications
    4. TypeScript: A typed super-set of JavaScript that compiles to plain JavaScript. One of the best ways to write JavaScript applications.
    5. NPM: A Package Manager responsible to automate the installation and tracking of external packages.
    6. Bower: A Package Manager for the Web and as it’s official website says, optimized for the front-end.
    7. Gulp: A task runner that uses Node.js and works in a Streamline way.

    This post assumes that you have at least a basic understanding of the last four pre-mentioned languages & tools
    (TypeScript, NPM, Bower and Gulp), but in case you don’t, that’s OK, this post will get you ready right away.

    Prerequisites

    In order to build modern and cross-platform Web Applications using the pre-mentioned tools, you need to prepare your development environment first. Let’s view them one by one.

          1. Integrated development environment (IDE): In this post we ‘ll use Visual Studio 2015 which you can download from here but you can also use Visual Studio Code which you can download from here. The latter is one way option for MAC and Linux users. At the end, the project should be able to run outside Visual Studio as well. In case you chose to install Visual Studio 2015, just make sure to specify that you want to include the Microsoft Web Developer Tools.
          2. ASP.NET 5. That’s the super promising, open-source and cross-platform Microsoft’s framework. Depending on which platform you want to start coding ASP.NET 5 applications, you need to follow the respective steps described here. Make sure to follow the exact instructions cause otherwise you may face unexpected errors. In my case I installed ASP.NET 5 on a Windows 10 PRO computer. After doing that I noticed that there was a notification on Visual Studio 2015 about an ASP.NET 5 RC 1 update, so I installed it as well.
            Fig11_6155
            And the update..
            Fig12_6155
            If Microsoft releases a new version, I will always try to update the source-code.
          3. NPM. We need to install NPM which is the Node.js Package Manager. Though Visual Studio 2015 has build in support for installing NPM or Bower packages, there are many times that it fails and then you need to run manually the command from a console. Installing node.js from here will also install NPM as well. Check it by typing the following command in a console.
            npm -v
          4. Bower, Gulp, TypeScript, Typescript Definition Manager. Visual Studio can also run Gulp tasks right from its IDE but we supposed to make this app cross-platform available so make sure you install globally all the following by typing the commands on the console:
            npm install -g bower
            npm install -g gulp
            npm install -g typescript
            npm install -g tsd

    Create and configure the application

    It is time to create the PhotoGallery Single Page Application which is going to be an ASP.NET MVC 6 application. In this section will create the solution and configure the ASP.NET 5 application to make use of the ASP.NET MVC 6 services. More over we will setup all the client tools (NPM/Bower packages, Gulp and Typescript) so we can start coding in both server and client side accordingly. In Visual Studio 2015 create an ASP.NET Web Application by selecting the ASP.NET 5 empty template. Here is the default structure of an empty ASP.NET 5 application.
    Fig13_6155
    Feel free to remove the Project_Readme.html file. The project.json is a very important file where we declare what packages we want our application to use and what are the frameworks our application will target. As the ASP.NET Team recommends we are going to target both .NET and .NET Core runtimes. In case you haven’t heard of the words DNVM and DNX here’s a few words.

          • DNVM is the is the .NET Version Management tool that allows as to specify and select which version of the .NET Execution Environment (DNX) to use
          • DNX or the .NET Execution Environment is the combination of the SDK and the runtime environment that allows to build cross platform .NET applications and as you may have noticed from the previous screenshot, you can have multiple versions installed on your machine

    Alter the project.json file as follow and click save.

    {
        "webroot": "wwwroot",
        "userSecretsId": "PhotoGallery",
        "version": "1.0.0-*",
        "compilationOptions": {
            "emitEntryPoint": true
        },
        "dependencies": {
            "Microsoft.AspNet.IISPlatformHandler": "1.0.0-rc1-final",
            "Microsoft.AspNet.Server.Kestrel": "1.0.0-rc1-final",
            "Microsoft.AspNet.Mvc": "6.0.0-rc1-final",
            "Microsoft.AspNet.Mvc.TagHelpers": "6.0.0-rc1-final",
            "Microsoft.AspNet.StaticFiles": "1.0.0-rc1-final",
            "Microsoft.Framework.DependencyInjection": "1.0.0-beta8",
            "EntityFramework.Commands": "7.0.0-rc1-final",
            "EntityFramework.MicrosoftSqlServer": "7.0.0-rc1-final",
            "Microsoft.Extensions.Configuration.FileProviderExtensions": "1.0.0-rc1-final",
            "Microsoft.Extensions.Configuration.Json": "1.0.0-rc1-final",
            "Microsoft.Extensions.Configuration.UserSecrets": "1.0.0-rc1-final",
            "AutoMapper.Data": "1.0.0-beta1",
            "Microsoft.AspNet.Authentication.Cookies": "1.0.0-rc1-final"
        },
        "commands": {
            "web": "Microsoft.AspNet.Server.Kestrel",
            "ef": "EntityFramework.Commands"
        },
        "frameworks": {
            "dnx451": { },
            "dnxcore50": {
                "dependencies": {
                    "System.Security.Cryptography.Algorithms": "4.0.0-beta-23516"
                }
            }
        },
        "exclude": [
            "wwwroot",
            "node_modules"
        ],
        "publishExclude": [
            "**.user",
            "**.vspscc"
        ]
    }

    By the time you save the file, Visual Studio will try to restore all the packages.
    Fig14_6155
    If you were outside Visual Studio you would have to run the following command:

    dnu restore

    ..where DNU is the .NET Development Utility to build, package and publish DNX projects. Let’s explain a little what we did in the project.json. First we declared some variables such as the webroot which we ‘ll read its value from the gulpfile.js later when we ‘ll declare some tasks. The userSecretsId is required in order to run Entity Framework Code First migrations related commands (acts as a unique ID for the application). Then we declared the dependencies or the packages if you prefer that our application needs. The first two of them are for hosting the app with or without IIS. The .Mvc related packages are required to add and use MVC services to the services container or in other words.. to use MVC 6 in our application. Then we declared the Entity Framework related packages in order to use EF 7 for data accessing. The Extensions packages will help us to easily access some .json files from the code. As you may have noticed we will make use of the Automapper package as well to map EF entities to the relative ViewModel objects. Last but not least is the Microsoft.AspNet.Authentication.Cookies which will ‘ll use in order to set Cookie based authentication. Then we have two commands: The web command is used to host the application using the .NET cross-platform Web server Kestrel. If i was to start my application outside IIS or Visual Studio, all I have to do is run the following command in the terminal.

    start kestrel

    dnx web

    Mind that you need to navigate to the root of your application folder (where the package.json exists) before running this command. We ‘ll use the EF command to run Entity Framework migration commands later on. The last thing I want to comment on the project.json file is the following lines of code.

    part of project.json

    "frameworks": {
            "dnx451": { },
            "dnxcore50": {
                "dependencies": {
                    "System.Security.Cryptography.Algorithms": "4.0.0-beta-23516"
                }
            }
        }

    With ASP.NET 5 we can target multiple frameworks something that allow us to host our applications in different hosting environments. We can target the full .NET version and a specific version of the .NET Core as well. You may ask yourself why I have declared the System.Security.Cryptography.Algorithms package just for the .NET Core. Well.. the answer is simple. During the development of this application I found that a specific class wasn’t available for both target frameworks. Of course this means that the application couldn’t compile.
    Fig15_6155
    In order to solve this, I had to provide a different implementation per target framework for a specific function. Since I only needed the package for .NET Core, I declared the dependency in the respective framework. But how is it possible to provide different implementation for two target frameworks? Easily, using directives. Let’s see the part of the code that required this resolution.

    public string CreateSalt()
            {
                var data = new byte[0x10];
    #if DNXCORE50
                var cryptoServiceProvider = System.Security.Cryptography.RandomNumberGenerator.Create();
                    cryptoServiceProvider.GetBytes(data);
                    return Convert.ToBase64String(data);
    #endif
    #if DNX451
                using (var cryptoServiceProvider = new RNGCryptoServiceProvider())
                {
                    cryptoServiceProvider.GetBytes(data);
                    return Convert.ToBase64String(data);
                }
    #endif
            }

    Awesome right? Let’s continue. Right click your application (not the solution) and add a new item of type NPM Configuration File. Leave its default name package.json. From now and on when I say application root i mean the src/PhotoGallery folder which is the actual root of the PhotoGallery application. Change the contents of the package.json as follow.

    package.json

    {
        "version": "1.0.0",
        "name": "ASP.NET",
        "private": true,
        "dependencies": {
            "@reactivex/rxjs": "5.0.0-alpha.10",
            "angular2": "2.0.0-beta.0",
            "systemjs": "0.19.9",
            "bootstrap": "3.3.5",
            "jquery": "2.1.4",
            "body-parser": "1.14.1",
            "fancybox": "3.0.0",
            "es6-promise": "^3.0.2",
            "es6-shim": "^0.33.3",
            "reflect-metadata": "0.1.2",
            "rxjs": "5.0.0-beta.0",
            "zone.js": "0.5.10"
        },
        "devDependencies": {
            "typescript": "1.6.2",
            "gulp": "3.9.0",
            "gulp-typescript": "2.9.2",
            "gulp-watch": "4.3.5",
            "merge": "1.2.0",
            "del" : "2.1.0"
        }
    }

    By the time you save the file, Visual Studio will try to restore the NPM packakges into a node_modules folder. Unfortunately for some reason, it may fail to restore all packages.
    Fig16_6155
    All you have to do, is open the terminal, navigate at the application’s root folder and run the following command.

    npm install

    As soon as all packages have been restored, Visual Studio will also detect it and stop complaining (it may crash during package restoring but that’s OK..). As far as what packages we declared, it’s pretty obvious. We needed the required packages for Angular 2, some Gulp plugins to write our tasks and a few other ones such as fancybox or jQuery. Let’s configure the libraries we want to download via Bower. Right click the project and add a new item of type Bower Configuration File. Leave the default name bower.json. You will notice that under the bower.json file a .bowerrc file exists. Change it as follow in order to set the default folder when downloading packages via bower.

    .bowerrc

    {
        "directory": "bower_components"
    }

    Set the bower.json contents as follow.

    bower.json

    {
    	"name": "ASP.NET",
    	"private": true,
        "dependencies": {
            "bootstrap": "3.3.6",
            "components-font-awesome": "4.5.0",
            "alertify.js": "0.3.11"
        }
    }

    As soon as you save the file VS will try to restore the dependencies inside a bower_components folder. If it fails for the same reason as before, simple run the following command on the terminal.

    bower install

    Now you can understand why it’s crucial to have those tools globally installed on our computer. Let’s finish this section by writing the gulp tasks. Right click your project and add a new item of type Gulp Configuration File. Leave its default name gulpfile.js and change its contents as follow.

    gulpfile.js

    var gulp = require('gulp'),
        ts = require('gulp-typescript'),
        merge = require('merge'),
        fs = require("fs"),
        del = require('del'),
        path = require('path');
    eval("var project = " + fs.readFileSync("./project.json"));
    var lib = "./" + project.webroot + "/lib/";
    var paths = {
        npm: './node_modules/',
        tsSource: './wwwroot/app/**/*.ts',
        tsOutput: lib + 'spa/',
        tsDef: lib + 'definitions/',
        jsVendors: lib + 'js',
        jsRxJSVendors: lib + 'js/rxjs',
        cssVendors: lib + 'css',
        imgVendors: lib + 'img',
        fontsVendors: lib + 'fonts'
    };
    var tsProject = ts.createProject('./wwwroot/tsconfig.json');
    gulp.task('setup-vendors', function (done) {
        gulp.src([
          'node_modules/angular2/bundles/js',
          'node_modules/angular2/bundles/angular2.*.js*',
          'node_modules/angular2/bundles/http.*.js*',
          'node_modules/angular2/bundles/router.*.js*',
          'node_modules/es6-shim/es6-shim.js*',
          'node_modules/systemjs/dist/*.*',
          'node_modules/jquery/dist/jquery.*js',
          'bower_components/bootstrap/dist/js/bootstrap*.js',
          'node_modules/fancybox/dist/js/jquery.fancybox.pack.js',
          'bower_components/alertify.js/lib/alertify.min.js',
          'node_modules/angular2/bundles/angular2-polyfills.js',
          'node_modules/systemjs/dist/system.src.js',
          'node_modules/rxjs/bundles/Rx.js',
          'node_modules/angular2/bundles/angular2.dev.js'
        ]).pipe(gulp.dest(paths.jsVendors));
        gulp.src([
           'node_modules/rxjs/**/*.js'
        ]).pipe(gulp.dest(paths.jsRxJSVendors));
        gulp.src([
          'bower_components/bootstrap/dist/css/bootstrap.css',
          'node_modules/fancybox/dist/css/jquery.fancybox.css',
          'bower_components/components-font-awesome/css/font-awesome.css',
          'bower_components/alertify.js/themes/alertify.core.css',
          'bower_components/alertify.js/themes/alertify.bootstrap.css',
          'bower_components/alertify.js/themes/alertify.default.css'
        ]).pipe(gulp.dest(paths.cssVendors));
        gulp.src([
          'node_modules/fancybox/dist/img/blank.gif',
          'node_modules/fancybox/dist/img/fancybox_loading.gif',
          'node_modules/fancybox/dist/img/fancybox_loading@2x.gif',
          'node_modules/fancybox/dist/img/fancybox_overlay.png',
          'node_modules/fancybox/dist/img/fancybox_sprite.png',
          'node_modules/fancybox/dist/img/fancybox_sprite@2x.png'
        ]).pipe(gulp.dest(paths.imgVendors));
        gulp.src([
          'node_modules/bootstrap/fonts/glyphicons-halflings-regular.eot',
          'node_modules/bootstrap/fonts/glyphicons-halflings-regular.svg',
          'node_modules/bootstrap/fonts/glyphicons-halflings-regular.ttf',
          'node_modules/bootstrap/fonts/glyphicons-halflings-regular.woff',
          'node_modules/bootstrap/fonts/glyphicons-halflings-regular.woff2',
          'bower_components/components-font-awesome/fonts/FontAwesome.otf',
          'bower_components/components-font-awesome/fonts/fontawesome-webfont.eot',
          'bower_components/components-font-awesome/fonts/fontawesome-webfont.svg',
          'bower_components/components-font-awesome/fonts/fontawesome-webfont.ttf',
          'bower_components/components-font-awesome/fonts/fontawesome-webfont.woff',
          'bower_components/components-font-awesome/fonts/fontawesome-webfont.woff2',
        ]).pipe(gulp.dest(paths.fontsVendors));
    });
    gulp.task('compile-typescript', function (done) {
        var tsResult = gulp.src([
           "node_modules/angular2/bundles/typings/angular2/angular2.d.ts",
           "node_modules/angular2/bundles/typings/angular2/http.d.ts",
           "node_modules/angular2/bundles/typings/angular2/router.d.ts",
           //"node_modules/@reactivex/rxjs/dist/es6/Rx.d.ts",
           "wwwroot/app/**/*.ts"
        ])
         .pipe(ts(tsProject), undefined, ts.reporter.fullReporter());
        return tsResult.js.pipe(gulp.dest(paths.tsOutput));
    });
    gulp.task('watch.ts', ['compile-typescript'], function () {
        return gulp.watch('wwwroot/app/**/*.ts', ['compile-typescript']);
    });
    gulp.task('watch', ['watch.ts']);
    gulp.task('clean-lib', function () {
        return del([lib]);
    });
    gulp.task('build-spa', ['setup-vendors', 'compile-typescript']);

    I know that it may seems large and difficult to understand but believe me it’s not. Before explaining the tasks we wrote I will show you the result of those tasks in solution level. This will make it easier to understand what those tasks are trying to accomplish.
    Fig17_6155
    Pay attention at the wwwroot/lib folder. This folder is where the client-side dependency packages will end. The lib/css will hold files such as bootstrap.css, font-awsome.css and so on.. Similarly, the lib/js will hold all the JavaScript files we need to write Amgular 2 applications using TypeScript. You may wonder where exactly are we going to write the actual angular SPA? The spa will exist under the wwwroot/app folder with all the custom Typescript files. A specific task named compile-typescript will compile those files into pure JavaScript and place them in to the wwwroot/lib/spa. Let’s view the Gulp tasks:

            1. setup-vendors: Place all required external JavaScript, CSS, images and font files into the corresponding folder under lib.
            2. compile-typescript: Compiles all Typescript files under wwwroot/app folder and place the resulted ones into the respective folder under wwwroot/lib/spa/
            3. watch.ts: A listener to watch for Typescript file changes. If a change happens the run the compile-typescript task. This task will help you a lot during development.
            4. clean-lib: Deletes all the files under wwwroot/lib folder.
            5. build-spa: Runs the setup-vendors and compile-typescript tasks.

    It wasn’t that bad right? Now take a notice at the following line inside the gulpfile.js.

    var tsProject = ts.createProject('./wwwroot/tsconfig.json');

    In order to compile Typescript you need some Typescript specific compiler options. This is what the tsconfig.json file is for. Right click the wwwroot folder and create a new item of type Typescript JSON Configuration file. Leave the default name tsconfig.json and paste the following contents.

    tsconfig.json

    {
        "compilerOptions": {
            "noImplicitAny": false,
            "module": "system",
            "moduleResolution": "node",
            "experimentalDecorators": true,
            "emitDecoratorMetadata": true,
            "noEmitOnError": false,
            "removeComments": false,
            "sourceMap": true,
            "target": "es5"
        },
      "exclude": [
        "node_modules",
        "wwwroot"
      ]
    }

    This configuration file not only will be used for compilation options but it will also be used from Visual Studio for intellisense related Typescript issues. Build the application and open the Task-runner window. Run the build-spa or the setup-vendors task. I know there are no Typescript files to compile but you can see the automatically created folders under wwwroot/lib with the files we defined. In case you have any troubles running the task, you can open a terminal and run the task as follow:

    gulp setup-vendors

    Fig18_6155

    Entity Framework 7

    The final goal of this section is to configure the services that our application will use, inside the Startup.cs file. At this point if you run the PhotoGallery application you will get a Hello World! message coming from the following code in the Startup class.

    part of Startup.cs

    public void Configure(IApplicationBuilder app)
            {
                app.UseIISPlatformHandler();
                app.Run(async (context) =>
                {
                    await context.Response.WriteAsync("Hello World!");
                });
            }

    Let’s start by creating the Entities which will eventually be mapped to a database. Create a folder Entities at the root of the application and paste the following files/classes.

    IEntityBase.cs

    public interface IEntityBase
        {
            int Id { get; set; }
        }

    Photo.cs

    public class Photo : IEntityBase
        {
            public int Id { get; set; }
            public string Title { get; set; }
            public string Uri { get; set; }
            public virtual Album Album { get; set; }
            public int AlbumId { get; set; }
            public DateTime DateUploaded { get; set; }
        }

    Album.cs

    public class Album : IEntityBase
        {
            public Album()
            {
                Photos = new List<Photo>();
            }
            public int Id { get; set; }
            public string Title { get; set; }
            public string Description { get; set; }
            public DateTime DateCreated { get; set; }
            public virtual ICollection<Photo> Photos { get; set; }
        }

    Error.cs

    public class Error : IEntityBase
        {
            public int Id { get; set; }
            public string Message { get; set; }
            public string StackTrace { get; set; }
            public DateTime DateCreated { get; set; }
        }

    Role.cs

    public class Role : IEntityBase
        {
            public int Id { get; set; }
            public string Name { get; set; }
        }

    UserRole.cs

    public class UserRole : IEntityBase
        {
            public int Id { get; set; }
            public int UserId { get; set; }
            public int RoleId { get; set; }
            public virtual Role Role { get; set; }
        }

    User.cs

    public class User : IEntityBase
        {
            public User()
            {
                UserRoles = new List<UserRole>();
            }
            public int Id { get; set; }
            public string Username { get; set; }
            public string Email { get; set; }
            public string HashedPassword { get; set; }
            public string Salt { get; set; }
            public bool IsLocked { get; set; }
            public DateTime DateCreated { get; set; }
            public virtual ICollection<UserRole> UserRoles { get; set; }
        }

    The schema we want to create is very simple. A Photo entity belongs to a single Album and an Album may have multiple Photo entities. A User may have multiple roles through many UserRole entities.
    Fig19_6155
    Let’s create the DbContext class that will allow us to access entities from the database. Create a folder named Infrastructure under the root of the application and add the following PhotoGalleryContext class.

    PhotoGalleryContext.cs

    public class PhotoGalleryContext : DbContext
        {
            public DbSet<Photo> Photos { get; set; }
            public DbSet<Album> Albums { get; set; }
            public DbSet<User> Users { get; set; }
            public DbSet<Role> Roles { get; set; }
            public DbSet<UserRole> UserRoles { get; set; }
            public DbSet<Error> Errors { get; set; }
            public PhotoGalleryContext(DbContextOptions options) : base(options)
            {
            }
            protected override void OnModelCreating(ModelBuilder modelBuilder)
            {
                // Photos
                modelBuilder.Entity<Photo>().Property(p => p.Title).HasMaxLength(100);
                modelBuilder.Entity<Photo>().Property(p => p.AlbumId).IsRequired();
                // Album
                modelBuilder.Entity<Album>().Property(a => a.Title).HasMaxLength(100);
                modelBuilder.Entity<Album>().Property(a => a.Description).HasMaxLength(500);
                modelBuilder.Entity<Album>().HasMany(a => a.Photos).WithOne(p => p.Album);
                // User
                modelBuilder.Entity<User>().Property(u => u.Username).IsRequired().HasMaxLength(100);
                modelBuilder.Entity<User>().Property(u => u.Email).IsRequired().HasMaxLength(200);
                modelBuilder.Entity<User>().Property(u => u.HashedPassword).IsRequired().HasMaxLength(200);
                modelBuilder.Entity<User>().Property(u => u.Salt).IsRequired().HasMaxLength(200);
                // UserRole
                modelBuilder.Entity<UserRole>().Property(ur => ur.UserId).IsRequired();
                modelBuilder.Entity<UserRole>().Property(ur => ur.RoleId).IsRequired();
                // Role
                modelBuilder.Entity<Role>().Property(r => r.Name).IsRequired().HasMaxLength(50);
            }
        }

    You should be able to resolve all the required namespaces because we have already installed the required packages. We ‘ll proceed with the data repositories and a membership service as well. Add a folder named Repositories with a subfolder named Abstract under Infrastructure. Add the following to files/classes.

    Infrastructure/Repositories/Abstract/IEntityBaseRepository.cs

    public interface IEntityBaseRepository<T> where T : class, IEntityBase, new()
        {
            IEnumerable<T> AllIncluding(params Expression<Func<T, object>>[] includeProperties);
            Task<IEnumerable<T>> AllIncludingAsync(params Expression<Func<T, object>>[] includeProperties);
            IEnumerable<T> GetAll();
            Task<IEnumerable<T>> GetAllAsync();
            T GetSingle(int id);
            T GetSingle(Expression<Func<T, bool>> predicate);
            T GetSingle(Expression<Func<T, bool>> predicate, params Expression<Func<T, object>>[] includeProperties);
            Task<T> GetSingleAsync(int id);
            IEnumerable<T> FindBy(Expression<Func<T, bool>> predicate);
            Task<IEnumerable<T>> FindByAsync(Expression<Func<T, bool>> predicate);
            void Add(T entity);
            void Delete(T entity);
            void Edit(T entity);
            void Commit();
        }

    Notice that I have added some operations with includeProperties parameters. I did this cause Entity Framework 7 doesn’t support lazy loading by default and I’ m not even sure if it will in the future. With that kind of operations you can load any navigation properties you wish. For example if you want to load all the photos in an album you can write something like this.

    Album _album = _albumRepository.GetSingle(a => a.Id == id, a => a.Photos);

    Here we used the following operation.

    T GetSingle(Expression<Func<T, bool>> predicate, params Expression<Func<T, object>>[] includeProperties);

    ..passing as includeProperties the Photos collection of the album.

    Infrastructure/Repositories/Abstract/IRepositories.cs

    public interface IAlbumRepository : IEntityBaseRepository<Album> { }
        public interface ILoggingRepository : IEntityBaseRepository<Error> { }
        public interface IPhotoRepository : IEntityBaseRepository<Photo> { }
        public interface IRoleRepository : IEntityBaseRepository<Role> { }
        public interface IUserRepository : IEntityBaseRepository<User>
        {
            User GetSingleByUsername(string username);
            IEnumerable<Role> GetUserRoles(string username);
        }
        public interface IUserRoleRepository : IEntityBaseRepository<UserRole> { }

    Add the implementations of those interfaces under the Infrastructure/Repositories folder.

    EntityBaseRepository.cs

    public class EntityBaseRepository<T> : IEntityBaseRepository<T>
                where T : class, IEntityBase, new()
        {
            private PhotoGalleryContext _context;
            #region Properties
            public EntityBaseRepository(PhotoGalleryContext context)
            {
                _context = context;
            }
            #endregion
            public virtual IEnumerable<T> GetAll()
            {
                return _context.Set<T>().AsEnumerable();
            }
            public virtual async Task<IEnumerable<T>> GetAllAsync()
            {
                return await _context.Set<T>().ToListAsync();
            }
            public virtual IEnumerable<T> AllIncluding(params Expression<Func<T, object>>[] includeProperties)
            {
                IQueryable<T> query = _context.Set<T>();
                foreach (var includeProperty in includeProperties)
                {
                    query = query.Include(includeProperty);
                }
                return query.AsEnumerable();
            }
            public virtual async Task<IEnumerable<T>> AllIncludingAsync(params Expression<Func<T, object>>[] includeProperties)
            {
                IQueryable<T> query = _context.Set<T>();
                foreach (var includeProperty in includeProperties)
                {
                    query = query.Include(includeProperty);
                }
                return await query.ToListAsync();
            }
            public T GetSingle(int id)
            {
                return _context.Set<T>().FirstOrDefault(x => x.Id == id);
            }
            public T GetSingle(Expression<Func<T, bool>> predicate)
            {
                return _context.Set<T>().FirstOrDefault(predicate);
            }
            public T GetSingle(Expression<Func<T, bool>> predicate, params Expression<Func<T, object>>[] includeProperties)
            {
                IQueryable<T> query = _context.Set<T>();
                foreach (var includeProperty in includeProperties)
                {
                    query = query.Include(includeProperty);
                }
                return query.Where(predicate).FirstOrDefault();
            }
            public async Task<T> GetSingleAsync(int id)
            {
                return await _context.Set<T>().FirstOrDefaultAsync(e => e.Id == id);
            }
            public virtual IEnumerable<T> FindBy(Expression<Func<T, bool>> predicate)
            {
                return _context.Set<T>().Where(predicate);
            }
            public virtual async Task<IEnumerable<T>> FindByAsync(Expression<Func<T, bool>> predicate)
            {
                return await _context.Set<T>().Where(predicate).ToListAsync();
            }
            public virtual void Add(T entity)
            {
                EntityEntry dbEntityEntry = _context.Entry<T>(entity);
                _context.Set<T>().Add(entity);
            }
            public virtual void Edit(T entity)
            {
                EntityEntry dbEntityEntry = _context.Entry<T>(entity);
                dbEntityEntry.State = EntityState.Modified;
            }
            public virtual void Delete(T entity)
            {
                EntityEntry dbEntityEntry = _context.Entry<T>(entity);
                dbEntityEntry.State = EntityState.Deleted;
            }
            public virtual void Commit()
            {
                _context.SaveChanges();
            }
        }

    PhotoRepository.cs

    public class PhotoRepository : EntityBaseRepository<Photo>, IPhotoRepository
        {
            public PhotoRepository(PhotoGalleryContext context)
                : base(context)
            { }
        }

    AlbumRepository.cs

    public class AlbumRepository : EntityBaseRepository<Album>, IAlbumRepository
        {
            public AlbumRepository(PhotoGalleryContext context)
                : base(context)
            { }
        }

    LoggingRepository.cs

    public class LoggingRepository : EntityBaseRepository<Error>, ILoggingRepository
        {
            public LoggingRepository(PhotoGalleryContext context)
                : base(context)
            { }
            public override void Commit()
            {
                try
                {
                    base.Commit();
                }
                catch { }
            }
        }

    Notice that we don’t want to get an exception when logging errors..

    RoleRepository.cs

    public class RoleRepository : EntityBaseRepository<Role>, IRoleRepository
        {
            public RoleRepository(PhotoGalleryContext context)
                : base(context)
            { }
        }

    UserRoleRepository.cs

    public class UserRoleRepository : EntityBaseRepository<UserRole>, IUserRoleRepository
        {
            public UserRoleRepository(PhotoGalleryContext context)
                : base(context)
            { }
        }

    UserRepository.cs

    public class UserRepository : EntityBaseRepository<User>, IUserRepository
        {
            IRoleRepository _roleReposistory;
            public UserRepository(PhotoGalleryContext context, IRoleRepository roleReposistory)
                : base(context)
            {
                _roleReposistory = roleReposistory;
            }
            public User GetSingleByUsername(string username)
            {
                return this.GetSingle(x => x.Username == username);
            }
            public IEnumerable<Role> GetUserRoles(string username)
            {
                List<Role> _roles = null;
                User _user = this.GetSingle(u => u.Username == username, u => u.UserRoles);
                if(_user != null)
                {
                    _roles = new List<Role>();
                    foreach (var _userRole in _user.UserRoles)
                        _roles.Add(_roleReposistory.GetSingle(_userRole.RoleId));
                }
                return _roles;
            }
        }

    There are so many ways to implement data repositories that I won’t even discuss. We have seen much better and scalable implementations many times on this blog but that’s more than enough for this application. Let’s create now the two services required for membership purposes. Add a folder named Services under Infrastructure and create a subfolder named Abstact with the following interfaces.

    Infrastructure/Services/Abstract/IEncryptionService.cs

    public interface IEncryptionService
        {
            /// <summary>
            /// Creates a random salt
            /// </summary>
            /// <returns></returns>
            string CreateSalt();
            /// <summary>
            /// Generates a Hashed password
            /// </summary>
            /// <param name="password"></param>
            /// <param name="salt"></param>
            /// <returns></returns>
            string EncryptPassword(string password, string salt);
        }

    Infrastructure/Services/Abstract/IMembershipService.cs

    public interface IMembershipService
        {
            MembershipContext ValidateUser(string username, string password);
            User CreateUser(string username, string email, string password, int[] roles);
            User GetUser(int userId);
            List<Role> GetUserRoles(string username);
        }

    Add their implementations under Infrastructure/Services folder.

    EncryptionService.cs

    public class EncryptionService : IEncryptionService
        {
            public string CreateSalt()
            {
                var data = new byte[0x10];
    #if DNXCORE50
                var cryptoServiceProvider = System.Security.Cryptography.RandomNumberGenerator.Create();
                    cryptoServiceProvider.GetBytes(data);
                    return Convert.ToBase64String(data);
    #endif
    #if DNX451
                using (var cryptoServiceProvider = new RNGCryptoServiceProvider())
                {
                    cryptoServiceProvider.GetBytes(data);
                    return Convert.ToBase64String(data);
                }
    #endif
            }
            public string EncryptPassword(string password, string salt)
            {
                using (var sha256 = SHA256.Create())
                {
                    var saltedPassword = string.Format("{0}{1}", salt, password);
                    byte[] saltedPasswordAsBytes = Encoding.UTF8.GetBytes(saltedPassword);
                    return Convert.ToBase64String(sha256.ComputeHash(saltedPasswordAsBytes));
                }
            }
        }

    That’s the part of the code I mentioned when installing packages for a specific runtime only.

    MembershipService.cs

    public class MembershipService : IMembershipService
        {
            #region Variables
            private readonly IUserRepository _userRepository;
            private readonly IRoleRepository _roleRepository;
            private readonly IUserRoleRepository _userRoleRepository;
            private readonly IEncryptionService _encryptionService;
            #endregion
            public MembershipService(IUserRepository userRepository, IRoleRepository roleRepository,
            IUserRoleRepository userRoleRepository, IEncryptionService encryptionService)
            {
                _userRepository = userRepository;
                _roleRepository = roleRepository;
                _userRoleRepository = userRoleRepository;
                _encryptionService = encryptionService;
            }
            #region IMembershipService Implementation
            public MembershipContext ValidateUser(string username, string password)
            {
                var membershipCtx = new MembershipContext();
                var user = _userRepository.GetSingleByUsername(username);
                if (user != null && isUserValid(user, password))
                {
                    var userRoles = GetUserRoles(user.Username);
                    membershipCtx.User = user;
                    var identity = new GenericIdentity(user.Username);
                    membershipCtx.Principal = new GenericPrincipal(
                        identity,
                        userRoles.Select(x => x.Name).ToArray());
                }
                return membershipCtx;
            }
            public User CreateUser(string username, string email, string password, int[] roles)
            {
                var existingUser = _userRepository.GetSingleByUsername(username);
                if (existingUser != null)
                {
                    throw new Exception("Username is already in use");
                }
                var passwordSalt = _encryptionService.CreateSalt();
                var user = new User()
                {
                    Username = username,
                    Salt = passwordSalt,
                    Email = email,
                    IsLocked = false,
                    HashedPassword = _encryptionService.EncryptPassword(password, passwordSalt),
                    DateCreated = DateTime.Now
                };
                _userRepository.Add(user);
                _userRepository.Commit();
                if (roles != null || roles.Length > 0)
                {
                    foreach (var role in roles)
                    {
                        addUserToRole(user, role);
                    }
                }
                _userRepository.Commit();
                return user;
            }
            public User GetUser(int userId)
            {
                return _userRepository.GetSingle(userId);
            }
            public List<Role> GetUserRoles(string username)
            {
                List<Role> _result = new List<Role>();
                var existingUser = _userRepository.GetSingleByUsername(username);
                if (existingUser != null)
                {
                    foreach (var userRole in existingUser.UserRoles)
                    {
                        _result.Add(userRole.Role);
                    }
                }
                return _result.Distinct().ToList();
            }
            #endregion
            #region Helper methods
            private void addUserToRole(User user, int roleId)
            {
                var role = _roleRepository.GetSingle(roleId);
                if (role == null)
                    throw new Exception("Role doesn't exist.");
                var userRole = new UserRole()
                {
                    RoleId = role.Id,
                    UserId = user.Id
                };
                _userRoleRepository.Add(userRole);
                _userRepository.Commit();
            }
            private bool isPasswordValid(User user, string password)
            {
                return string.Equals(_encryptionService.EncryptPassword(password, user.Salt), user.HashedPassword);
            }
            private bool isUserValid(User user, string password)
            {
                if (isPasswordValid(user, password))
                {
                    return !user.IsLocked;
                }
                return false;
            }
            #endregion
        }

    Data repositories will automatically be injected into MembershipService instances. This will be configured in the Startup services later on. And of course we need the MembershipContext which holds the IPrincipal information for the current user. Add the class inside a new folder named Core under Infrastructure.

    MembershipContext.cs

    public class MembershipContext
        {
            public IPrincipal Principal { get; set; }
            public User User { get; set; }
            public bool IsValid()
            {
                return Principal != null;
            }
        }

    One last thing remained to do before configuring the services is to create a Database Initializer class to run the first time you run the application. The initializer will store some photos, create an admin role and a default user (username: chsakell, password: photogallery). Of course when we finish the app you can register your own users as well. Add the DbInitializer under the Infrastructure folder.

    DbInitializer.cs

    public static class DbInitializer
        {
            private static PhotoGalleryContext context;
            public static void Initialize(IServiceProvider serviceProvider, string imagesPath)
            {
                context = (PhotoGalleryContext)serviceProvider.GetService<PhotoGalleryContext>();
                InitializePhotoAlbums(imagesPath);
                InitializeUserRoles();
            }
            private static void InitializePhotoAlbums(string imagesPath)
            {
                if (!context.Albums.Any())
                {
                    List<Album> _albums = new List<Album>();
                    var _album1 = context.Albums.Add(
                        new Album
                        {
                            DateCreated = DateTime.Now,
                            Title = "Album 1",
                            Description = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua."
                        }).Entity;
                    var _album2 = context.Albums.Add(
                        new Album
                        {
                            DateCreated = DateTime.Now,
                            Title = "Album 2",
                            Description = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua."
                        }).Entity;
                    var _album3 = context.Albums.Add(
                        new Album
                        {
                            DateCreated = DateTime.Now,
                            Title = "Album 3",
                            Description = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua."
                        }).Entity;
                    var _album4 = context.Albums.Add(
                        new Album
                        {
                            DateCreated = DateTime.Now,
                            Title = "Album 4",
                            Description = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua."
                        }).Entity;
                    _albums.Add(_album1); _albums.Add(_album2); _albums.Add(_album3); _albums.Add(_album4);
                    string[] _images = Directory.GetFiles(Path.Combine(imagesPath, "wwwroot\\images"));
                    Random rnd = new Random();
                    foreach (string _image in _images)
                    {
                        int _selectedAlbum = rnd.Next(1, 4);
                        string _fileName = Path.GetFileName(_image);
                        context.Photos.Add(
                            new Photo()
                            {
                                Title = _fileName,
                                DateUploaded = DateTime.Now,
                                Uri = _fileName,
                                Album = _albums.ElementAt(_selectedAlbum)
                            }
                            );
                    }
                    context.SaveChanges();
                }
            }
            private static void InitializeUserRoles()
            {
                if (!context.Roles.Any())
                {
                    // create roles
                    context.Roles.AddRange(new Role[]
                    {
                    new Role()
                    {
                        Name="Admin"
                    }
                    });
                    context.SaveChanges();
                }
                if (!context.Users.Any())
                {
                    context.Users.Add(new User()
                    {
                        Email = "chsakells.blog@gmail.com",
                        Username = "chsakell",
                        HashedPassword = "9wsmLgYM5Gu4zA/BSpxK2GIBEWzqMPKs8wl2WDBzH/4=",
                        Salt = "GTtKxJA6xJuj3ifJtTXn9Q==",
                        IsLocked = false,
                        DateCreated = DateTime.Now
                    });
                    // create user-admin for chsakell
                    context.UserRoles.AddRange(new UserRole[] {
                    new UserRole() {
                        RoleId = 1, // admin
                        UserId = 1  // chsakell
                    }
                });
                    context.SaveChanges();
                }
            }
        }

    Make sure you add a using statement for the following namespace.

    using Microsoft.Framework.DependencyInjection;

    The photos will be initialized from a folder wwwroot/images where I have already stored some images. This means that you need to add an images folder under wwwroot and add some images. You can find the images I placed here. I recommend you to copy-paste at least the thumbnail-default.png and the aspnet5-agnular2-03.png images cause the are used directly from the app.
    Fig20_6155
    Now let’s switch and change the Startup class as follow:

    Startup.cs

    public class Startup
        {
            private static string _applicationPath = string.Empty;
            public Startup(IHostingEnvironment env, IApplicationEnvironment appEnv)
            {
                _applicationPath = appEnv.ApplicationBasePath;
                // Setup configuration sources.
                var builder = new ConfigurationBuilder()
                    .SetBasePath(appEnv.ApplicationBasePath)
                    .AddJsonFile("appsettings.json")
                    .AddJsonFile($"appsettings.{env.EnvironmentName}.json", optional: true);
                if (env.IsDevelopment())
                {
                    // This reads the configuration keys from the secret store.
                    // For more details on using the user secret store see http://go.microsoft.com/fwlink/?LinkID=532709
                    builder.AddUserSecrets();
                }
                builder.AddEnvironmentVariables();
                Configuration = builder.Build();
            }
            public IConfigurationRoot Configuration { get; set; }
            // This method gets called by the runtime. Use this method to add services to the container.
            // For more information on how to configure your application, visit http://go.microsoft.com/fwlink/?LinkID=398940
            public void ConfigureServices(IServiceCollection services)
            {
                // Add Entity Framework services to the services container.
                services.AddEntityFramework()
                    .AddSqlServer()
                    .AddDbContext<PhotoGalleryContext>(options =>
                        options.UseSqlServer(Configuration["Data:PhotoGalleryConnection:ConnectionString"]));
                // Repositories
                services.AddScoped<IPhotoRepository, PhotoRepository>();
                services.AddScoped<IAlbumRepository, AlbumRepository>();
                services.AddScoped<IUserRepository, UserRepository>();
                services.AddScoped<IUserRoleRepository, UserRoleRepository>();
                services.AddScoped<IRoleRepository, RoleRepository>();
                services.AddScoped<ILoggingRepository, LoggingRepository>();
                // Services
                services.AddScoped<IMembershipService, MembershipService>();
                services.AddScoped<IEncryptionService, EncryptionService>();
                services.AddAuthentication();
                // Polices
                services.AddAuthorization(options =>
                {
                    // inline policies
                    options.AddPolicy("AdminOnly", policy =>
                    {
                        policy.RequireClaim(ClaimTypes.Role, "Admin");
                    });
                });
                // Add MVC services to the services container.
                services.AddMvc();
            }
            // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
            public void Configure(IApplicationBuilder app)
            {
                // Add the platform handler to the request pipeline.
                app.UseIISPlatformHandler();
                // Add static files to the request pipeline.
                app.UseStaticFiles();
                //AutoMapperConfiguration.Configure();
                app.UseCookieAuthentication(options =>
                {
                    options.AutomaticAuthenticate = true;
                    options.AutomaticChallenge = true;
                });
                // Custom authentication middleware
                //app.UseMiddleware<AuthMiddleware>();
                // Add MVC to the request pipeline.
                app.UseMvc(routes =>
                {
                    routes.MapRoute(
                        name: "default",
                        template: "{controller=Home}/{action=Index}/{id?}");
                    // Uncomment the following line to add a route for porting Web API 2 controllers.
                    //routes.MapWebApiRoute("DefaultApi", "api/{controller}/{id?}");
                });
                DbInitializer.Initialize(app.ApplicationServices, _applicationPath);
            }
            // Entry point for the application.
            public static void Main(string[] args) => WebApplication.Run<Startup>(args);
        }

    Lots of stuff here so let’s explain from the top to bottom. The constructor simply sets the base path for discover files for file-based providers. Then sets an appsettings.json file to this configuration which means that we can read this file through a instance of IConfigurationRoot. The question is what do we want the appsettings.json for? Well.. we want it to store the connection string over there (Say good riddance to Web.config..). Add an appsettings.json JSON file under the root of PhotoGallery application and paste the following code.

    appsettings.json

    {
      "Data": {
        "PhotoGalleryConnection": {
          "ConnectionString": "Server=(localdb)\\v11.0;Database=PhotoGallery;Trusted_Connection=True;MultipleActiveResultSets=true"
        }
      }
    }

    Alter the connection string to reflect your database environment. Moving on, the ConfigureServices function adds the services we want to the container. Firstly, we add Entity Framework services by configuring the connection string for the PhotoGalleryContext DbContext. Notice how we read the appsettings.json file to capture the connection string value. Then we registered all the data repositories and services we created before to be available through dependency injection. That’s a new feature in ASP.NET 5 and it’s highly welcomed. We added Authentication and Authorization services as well by registering a new Policy. The Policy is a new authorization feature in ASP.NET 5 where you can declare requirements that must be met for authorizing a request. In our case we created a new policy named AdminOnly by declaring that this policy requires that the user making the request must be assigned to role Admin. If you think about it this is quite convenient. Before ASP.NET 5, if you wanted to authorized certain roles you would have to write something like this.

    [Authorize(Roles="Admin, OtherRole, AnotherRole")]
    public class AdminController : Controller
    {
       // . . .
    }

    Now you can create a Policy where you can declare that if one of those roles are assigned then the request is marked as authorized. Last but not least, we added the MVC services to the container. The Configure method is much simpler, we declared that we can serve static files, we added Cookie based authentication to the pipeline and of course we defined a default MVC route. At the end, we called the database initializer we wrote to bootstrap some data when the application fires for the first time. I have left an AutoMapperConfiguration.Configure() call commented out but we ‘ll un-commented it when the time comes. At this point we can run some Entity Framework commands and initialize the database. In order to enable migrations open a terminal at the root of the application where the project.json leaves and run the command:

    dnx ef migrations add initial

    This command will enable migrations and create the first one as well. The ef command isn’t any other than the one defined on the project.json.

    part of project.json

    "commands": {
            "web": "Microsoft.AspNet.Server.Kestrel",
            "ef": "EntityFramework.Commands"
        },

    Fig21_6155
    In order to update and sync the database with the model run the following command:

    dnx ef database update

    Fig22_6155

    Single Page Application

    This section is where all the fun happen, where ASP.NET MVC 6, Angular 2 and Typescript will fit together. Since this is an MVC 6 application it makes sense to start with HomeController MVC controller class, so go ahead and add it under a Controllers folder at the root of PhotoGallery.

    HomeController.cs

    public class HomeController : Controller
        {
            // GET: /<controller>/
            public IActionResult Index()
            {
                return View();
            }
        }

    We have to manually create the Index.cshtml view but first let’s create a common layout page. Add a Views folder at the root and add a new item of type MVC View Start Page in it. Leave the default name _ViewStart.cshtml.

    _ViewStart.cshtml

    @{
        Layout = "_Layout";
    }

    Add a folder named Shared inside the Views folder and create a new item of type MVC View Layout Page named _Layout.cshtml. This is an important item in our application cause this page can act as the entry point for multiple SPAs in our application, in case we decided to scale it.

    Views/Shared/_Layout.cshtml

    <!DOCTYPE html>
    <html>
    <head>
        <meta charset="utf-8">
        <meta http-equiv="X-UA-Compatible" content="IE=edge">
        <meta name="viewport" content="width=device-width, initial-scale=1">
        <title>@ViewBag.Title</title>
        @*<base href="/">*@
        <link href="~/lib/css/bootstrap.css" rel="stylesheet" />
        <link href="~/lib/css/font-awesome.css" rel="stylesheet" />
        @RenderSection("styles", required: false)
        <script src="~/lib/js/angular2-polyfills.js"></script>
        <script src="~/lib/js/system.src.js"></script>
        <script src="~/lib/js/Rx.js"></script>
        <script src="~/lib/js/angular2.dev.js"></script>
        <script src="~/lib/js/jquery.js"></script>
        <script src="~/lib/js/bootstrap.js"></script>
        <script>
            System.config({
                map: {
                    'rxjs': 'lib/js/rxjs',
                    'angular2/angular2': '~/lib/js/angular2.dev.js',
                    'angular2/http': '~/lib/js/http.dev.js',
                    'angular2/router': '~/lib/js/router.dev.js'
                },
                packages: {
                    'app': { defaultExtension: 'js' },
                    'rxjs': { defaultExtension: 'js' }
                },
                defaultJSExtensions: true
            });
        </script>
        <script src="~/lib/js/angular2.dev.js"></script>
        <script src="~/lib/js/http.dev.js"></script>
        <script src="~/lib/js/router.dev.js"></script>
    </head>
    <body>
        <div>
            @RenderBody()
        </div>
        @RenderSection("scripts", required: false)
        <script type="text/javascript">
            @RenderSection("customScript", required: false)
        </script>
    </body>
    </html>

    If you take a look at this page you will notice that this page contains everything that an Angular 2 application needs to get bootstrapped. No top-bar or side-bar components exist here but only Angular 2 related stuff. More over there are some custom sections that an MVC View can use to inject any custom required scripts or stylesheets. One more thing to notice is the src references that starts with ~/lib which actually point to wwwroot/lib. Add a folder named Home inside the Views and create the MVC View Page named Index.cshtml. Alter it as follow.

    Index.cshtml

    @{
        ViewBag.Title = "PhotoGallery";
    }
    @section styles
    {
        <link href="~/lib/css/bootstrap.css" rel="stylesheet" />
        <link href="~/lib/css/jquery.fancybox.css" rel="stylesheet" />
        <link href="~/css/site.css" rel="stylesheet" />
        <link href="~/lib/css/alertify.core.css" rel="stylesheet" />
        <link href="~/lib/css/alertify.bootstrap.css" rel="stylesheet" />
    }
    <div id="nav-separator"></div>
    <photogallery-app>
        <div class="loading">Loading</div>
    </photogallery-app>
    @section scripts
    {
        <script src="~/lib/js/jquery.fancybox.pack.js"></script>
        <script src="~/lib/js/alertify.min.js"></script>
    }
    @section customScript
    {
        System.import('./lib/spa/app.js').catch(console.log.bind(console));
        $(document).ready(function() {
        $('.fancybox').fancybox();
        });
    }

    Fig23_6155The highlighted lines are the important ones. Apparently there is going to be an Angular 2 component with a selector of photogallery-app bootstrapped from a file named app.js. This file will be the compiled JavaScript of a Typescript file named app.ts. I have also included a custom css file named site.css which you can find here. Place this file in a new folder named css under wwwroot. You may expect me now to show you the app.ts code but believe it’s better to leave it last. The reason is that it requires files (or components if you prefer) that we haven’t coded yet. Instead we ‘ll view all the components one by one explaining its usage in our spa. First of all I want to show you the final result or the architecture of PhotoGallery spa in the Angular 2 level. This will make easier for you to understand the purpose of each component.

    The design is quite simple. The components folder hosts angular 2 components with a specific functionality and html template as well. Notice that the .html templates have an arrow which is new feature in Visual Studio. It means that this .html file has a related Typescript file with the same name under it. When we want to render the Home view, then the home.html template will be rendered and the code behind file the template will be a Home Angular 2 component. I have placed all components related to membership under an account folder. The core folder contains reusable components and classes to be shared across the spa. Let’s start with the simplest one the domain classes. Add a folder named app under wwwroot and a sub-folder named core. Then create the domain folder under core. Add a new Typescript file name photo.ts to represent photo items.

    photo.ts

    export class Photo {
        Id: number;
        Title: string;
        Uri: string;
        AlbumId: number;
        AlbumTitle: string;
        DateUploaded: Date
        constructor(id: number,
            title: string,
            uri: string,
            albumId: number,
            albumTitle: string,
            dateUploaded: Date) {
            this.Id = id;
            this.Title = title;
            this.Uri = uri;
            this.AlbumId = albumId;
            this.AlbumTitle = albumTitle;
            this.DateUploaded = dateUploaded;
        }
    }

    Since this is the first Typescript file we added in our spa, you can test the Gulp task compile-typescript and ensure that everything works fine with Typescript compilation.
    Fig24_6155
    You could run the task from command line as well.

    run task compile-typescript from command line

    gulp compile-typescript

    This photo Typescript class will be used to map photo items come from the server and more particularly, ViewModel photo items. For each Typescript domain class there will be a corresponding ViewModel class on the server-side. Create a folder named ViewModels under the root of PhotoGallery application and add the first ViewModel PhotoViewModel.

    PhotoViewModel.cs

    public class PhotoViewModel
        {
            public int Id { get; set; }
            public string Title { get; set; }
            public string Uri { get; set; }
            public int AlbumId { get; set; }
            public string AlbumTitle { get; set; }
            public DateTime DateUploaded { get; set; }
        }

    Similarly, add the album.ts, registration.ts and user.ts Typescript files inside the domain and the corresponding C# ViewModels inside the ViewModels folders.

    album.ts

    export class Album {
        Id: number;
        Title: string;
        Description: string;
        Thumbnail: string;
        DateCreated: Date;
        TotalPhotos: number;
        constructor(id: number,
            title: string,
            description: string,
            thumbnail: string,
            dateCreated: Date,
            totalPhotos: number) {
            this.Id = id;
            this.Title = title;
            this.Description = description;
            this.Thumbnail = thumbnail;
            this.DateCreated = dateCreated;
            this.TotalPhotos = totalPhotos;
        }
    }

    registration.cs

    export class Registration {
        Username: string;
        Password: string;
        Email: string;
        constructor(username: string,
            password: string,
            email: string) {
            this.Username = username;
            this.Password = password;
            this.Email = email;
        }
    }

    user.cs

    export class User {
        Username: string;
        Password: string;
        constructor(username: string,
            password: string) {
            this.Username = username;
            this.Password = password;
        }
    }

    AlbumViewModel.cs

    public class AlbumViewModel
        {
            public int Id { get; set; }
            public string Title { get; set; }
            public string Description { get; set; }
            public string Thumbnail { get; set; }
            public DateTime DateCreated { get; set; }
            public int TotalPhotos { get; set; }
        }

    RegistrationViewModel.cs

    public class RegistrationViewModel
        {
            [Required]
            public string Username { get; set; }
            [Required]
            public string Password { get; set; }
            [Required]
            [EmailAddress]
            public string Email { get; set; }
        }

    LoginViewModel.cs

    public class LoginViewModel
        {
            public string Username { get; set; }
            public string Password { get; set; }
        }

    Also add the operationResult.ts Typescript file inside the domain.

    export class OperationResult {
        Succeeded: boolean;
        Message: string;
        constructor(succeeded: boolean, message: string) {
            this.Succeeded = succeeded;
            this.Message = message;
        }
    }

    We will add the coresponding ViewModel inside a new folder named Core under Infrastructure cause this isn’t an Entity mapped to our database. Name the class GenericResult.

    Infrastructure/Core/GenericResult.cs

    public class GenericResult
        {
            public bool Succeeded { get; set; }
            public string Message { get; set; }
        }

    The next thing we are going implement are some services using the @Injectable() attribute. (I’m gonna call them services during the post but there are actually injectable modules..) We ‘ll start with a service for making Http requests to the server, named dataService. Add a folder named services under app/core and create the following Typescript file.

    app/core/services/dataService.ts

    import { Http, Response, Request } from 'angular2/http';
    import { Injectable } from 'angular2/core';
    @Injectable()
    export class DataService {
        public _pageSize: number;
        public _baseUri: string;
        constructor(public http: Http) {
        }
        set(baseUri: string, pageSize?: number): void {
            this._baseUri = baseUri;
            this._pageSize = pageSize;
        }
        get(page: number) {
            var uri = this._baseUri + page.toString() + '/' + this._pageSize.toString();
            return this.http.get(uri)
                .map(response => (<Response>response));
        }
        post(data?: any, mapJson: boolean = true) {
            if (mapJson)
                return this.http.post(this._baseUri, data)
                    .map(response => <any>(<Response>response).json());
            else
                return this.http.post(this._baseUri, data);
        }
        delete(id: number) {
            return this.http.delete(this._baseUri + '/' + id.toString())
                .map(response => <any>(<Response>response).json())
        }
        deleteResource(resource: string) {
            return this.http.delete(resource)
                .map(response => <any>(<Response>response).json())
        }
    }

    We imported the required modules from ‘angular2/http’ and ‘angular2/core’ and we decorated our DataService class with the @Injectable attribute. With that we will be able to inject instances of DataService in the constructor of our components in the same way we injected here http. This is how Angular 2 works, we import whichever module we want to use. I have written here some get and CRUD operations but you can add any others if you wish. Let’s implement a membershipService which allow us to sign in and log off from our application. Add the membershipService.ts file in the services folder as well.

    membershipService.ts

    import { Http, Response, Request } from 'angular2/http';
    import { Injectable } from 'angular2/core';
    import { DataService } from './dataService';
    import { Registration } from '../domain/registration';
    import { User } from '../domain/user';
    @Injectable()
    export class MembershipService {
        private _accountRegisterAPI: string = 'api/account/register/';
        private _accountLoginAPI: string = 'api/account/authenticate/';
        private _accountLogoutAPI: string = 'api/account/logout/';
        constructor(public accountService: DataService) { }
        register(newUser: Registration) {
            this.accountService.set(this._accountRegisterAPI);
            
            return this.accountService.post(JSON.stringify(newUser));
        }
        login(creds: User) {
            this.accountService.set(this._accountLoginAPI);
            return this.accountService.post(JSON.stringify(creds));
        }
        logout() {
            this.accountService.set(this._accountLogoutAPI);
            return this.accountService.post(null, false);
        }
        isUserAuthenticated(): boolean {
            var _user: User = localStorage.getItem('user');
            if (_user != null)
                return true;
            else
                return false;
        }
        getLoggedInUser(): User {
            var _user: User;
            if (this.isUserAuthenticated()) {
                var _userData = JSON.parse(localStorage.getItem('user'));
                _user = new User(_userData.Username, _userData.Password);
            }
            return _user;
        }
    }

    Quite interesting service right? Notice how we imported our custom domain classes and the dataService as well. We also marked this service with the @Injectable() attribute as well. This service is going to be injected in to the Login and Register components later on. The login and register operations of the service, simply sets the api URI and makes a POST request to the server. We also created two functions to check if the user is authenticated and if so get user’s properties. We will see them in action later. There are two more services to implement but since we finished the membershipService why don’t we implement the corresponding server-side controller? Add the following AccountController Web API Controller class inside the Controllers folder.

    AccountController

    [Route("api/[controller]")]
        public class AccountController : Controller
        {
            private readonly IMembershipService _membershipService;
            private readonly IUserRepository _userRepository;
            private readonly ILoggingRepository _loggingRepository;
            public AccountController(IMembershipService membershipService,
                IUserRepository userRepository,
                ILoggingRepository _errorRepository)
            {
                _membershipService = membershipService;
                _userRepository = userRepository;
                _loggingRepository = _errorRepository;
            }
            [HttpPost("authenticate")]
            public async Task<IActionResult> Login([FromBody] LoginViewModel user)
            {
                IActionResult _result = new ObjectResult(false);
                GenericResult _authenticationResult = null;
                try
                {
                    MembershipContext _userContext = _membershipService.ValidateUser(user.Username, user.Password);
                    if (_userContext.User != null)
                    {
                        IEnumerable<Role> _roles = _userRepository.GetUserRoles(user.Username);
                        List<Claim> _claims = new List<Claim>();
                        foreach (Role role in _roles)
                        {
                            Claim _claim = new Claim(ClaimTypes.Role, "Admin", ClaimValueTypes.String, user.Username);
                            _claims.Add(_claim);
                        }
                        await HttpContext.Authentication.SignInAsync(CookieAuthenticationDefaults.AuthenticationScheme,
                            new ClaimsPrincipal(new ClaimsIdentity(_claims, CookieAuthenticationDefaults.AuthenticationScheme)));
                        _authenticationResult = new GenericResult()
                        {
                            Succeeded = true,
                            Message = "Authentication succeeded"
                        };
                    }
                    else
                    {
                        _authenticationResult = new GenericResult()
                        {
                            Succeeded = false,
                            Message = "Authentication failed"
                        };
                    }
                }
                catch (Exception ex)
                {
                    _authenticationResult = new GenericResult()
                    {
                        Succeeded = false,
                        Message = ex.Message
                    };
                    _loggingRepository.Add(new Error() { Message = ex.Message, StackTrace = ex.StackTrace, DateCreated = DateTime.Now });
                    _loggingRepository.Commit();
                }
                _result = new ObjectResult(_authenticationResult);
                return _result;
            }
            [HttpPost("logout")]
            public async Task<IActionResult> Logout()
            {
                try
                {
                    await HttpContext.Authentication.SignOutAsync("Cookies");
                    return Ok();
                }
                catch (Exception ex)
                {
                    _loggingRepository.Add(new Error() { Message = ex.Message, StackTrace = ex.StackTrace, DateCreated = DateTime.Now });
                    _loggingRepository.Commit();
                    return HttpBadRequest();
                }
            }
            [Route("register")]
            [HttpPost]
            public IActionResult Register([FromBody] RegistrationViewModel user)
            {
                IActionResult _result = new ObjectResult(false);
                GenericResult _registrationResult = null;
                try
                {
                    if (ModelState.IsValid)
                    {
                        User _user = _membershipService.CreateUser(user.Username, user.Email, user.Password, new int[] { 1 });
                        if (_user != null)
                        {
                            _registrationResult = new GenericResult()
                            {
                                Succeeded = true,
                                Message = "Registration succeeded"
                            };
                        }
                    }
                    else
                    {
                        _registrationResult = new GenericResult()
                        {
                            Succeeded = false,
                            Message = "Invalid fields."
                        };
                    }
                }
                catch (Exception ex)
                {
                    _registrationResult = new GenericResult()
                    {
                        Succeeded = false,
                        Message = ex.Message
                    };
                    _loggingRepository.Add(new Error() { Message = ex.Message, StackTrace = ex.StackTrace, DateCreated = DateTime.Now });
                    _loggingRepository.Commit();
                }
                _result = new ObjectResult(_registrationResult);
                return _result;
            }
        }

    Here we can see the magic of Dependency Injection in ASP.NET 5. Required repositories and services are automatically injected into the constructor. The Login, Logout and Register actions are self-explanatory. Let’s finish with the Angular services by adding the following two helpers into the app/core/services folder.

    utilityService.ts

    import { Injectable } from 'angular2/core';
    import {Router} from 'angular2/router'
    @Injectable()
    export class UtilityService {
        private _router: Router;
        constructor(router: Router) {
            this._router = router;
        }
        convertDateTime(date: Date) {
            var _formattedDate = new Date(date.toString());
            return _formattedDate.toDateString();
        }
        navigate(path: string) {
            this._router.navigate([path]);
        }
        navigateToSignIn() {
            this.navigate('/Account/Login');
        }
    }

    This service will be used for common functions such as converting Date objects or changing route in our spa.

    notificationService.ts

    import { Injectable } from 'angular2/core';
    @Injectable()
    export class NotificationService {
        private _notifier: any = alertify;
    	
        constructor() {
        }
        printSuccessMessage(message: string) {
            this._notifier.success(message);
        }
        printErrorMessage(message: string) {
            this._notifier.error(message);
        }
        printConfirmationDialog(message: string, okCallback: () => any) {
            this._notifier.confirm(message, function (e) {
                if (e) {
                    okCallback();
                } else {
                }
            });
        }
    }

    This is a very interesting service as well and I created it for a reason. I wanted to support notifications in our SPA so that user receives success or error notifications. The thing is that I couldn’t find any external library available to use it with Typescript so I thought.. why not use a JavaScript one? After all, Typescript or not at the end only JavaScript survives. I ended up with the alertify.js which we have already included in our app using bower. I studied a little the library and I figured out that there is an alertify object that has all the required notification functionality. And this is what we did in our Angular service. We made the trick to store this variable as any so that we can call its methods without any intellisense errors.

    private _notifier: any = alertify;

    On the other hand the alertify variable is unknown to the NotificationService class and we get an intellisense error. More over if you try to compile the Typescript using the compile-typescript task you will also get a relative error Cannot find name ‘alertify’.
    Fig25_6155
    The question is.. can we live with that? YES we can.. but we have to make sure that we will allow Typescript to be compiled and emit outputs despite the type checking errors occurred. How did we achieve it? We have already declared it in the tsconfig.json file as follow:

    part of tsconfig.ts

    "compilerOptions": {
            "noImplicitAny": false,
            "module": "system",
            "moduleResolution": "node",
            "experimentalDecorators": true,
            "emitDecoratorMetadata": true,
            "noEmitOnError": false,
            "removeComments": false,
            "sourceMap": true,
            "target": "es5"
        }

    Of course, when the page loads, no JavaScript errors appear on the client.

    Angular 2 Components

    The next thing we are going to implement are the basic Components of our application. Each component encapsulates a specific logic and is responsible to render the appropriate template as well. Let’s number them along with their specifications (click them to view the template they render).

            1. AppRoot: The SPA’s root components. It bootstraps the application with the required modules and sets the starter route configuration.
            2. Home: The default component rendering when the application starts.
            3. Photos: The component responsible to display PhotoGallery photos. It supports pagination and is available to unauthenticated users.
            4. Albums: The component responsible to display PhotoGallery albums. It requires authorization and supports pagination as well.
            5. AlbumPhotos: Displays a specific album’s photos. User can remove photos from this album. Popup notifications are supported.
            6. Account: The root component related to membership. It has its own route configuration for navigating to Login or Register components.
            7. Login: Displays a login template and allows users to authenticate themselves. After authentication redirect to home page.
            8. Register: It holds the registration logic and template.

    Add a folder named components under wwwroot/app and create the first component Home in a home.ts Typescript file.

    home.ts

    import {Component} from 'angular2/core';
    @Component({
        selector: 'home',
        templateUrl: './app/components/home.html',
        directives: []
    })
    export class Home {
        constructor() {
        }

    This is by far the simplest Angular component you will ever seen. We used the @Component annotation and we declared that when this component is active, a template named home.html existing inside app/components will be rendered. Add the home.html template underapp/components. This is simple html with no Angular related code and that’s why I won’t paste it here. You can copy-paste its code though from here. The next component will spice things up. It’s the Photos, the one responsible to display all photos existing in PhotoGallery app with pagination support as well. It will be the first time that we ‘ll use the dataService injectable to make some HTTP GET requests to the server. Add the photos.ts file under app/components folder.

    photos.ts

    import {Component} from 'angular2/core';
    import {CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/common';
    import {Router, RouterLink} from 'angular2/router'
    import { Photo } from '../core/domain/photo';
    import { Paginated } from '../core/common/paginated';
    import { DataService } from '../core/services/dataService';
    @Component({
        selector: 'photos',
        providers: [DataService],
        templateUrl: './app/components/Photos.html',
        bindings: [DataService],
        directives: [CORE_DIRECTIVES, FORM_DIRECTIVES, RouterLink]
    })
    export class Photos extends Paginated {
        private _photosAPI: string = 'api/photos/';
        private _photos: Array<Photo>;
        constructor(public photosService: DataService) {
            super(0, 0, 0);
            photosService.set(this._photosAPI, 12);
            this.getPhotos();
        }
        getPhotos(): void {
            this.photosService.get(this._page)
                .subscribe(res => {
                    var data: any = res.json();
                    this._photos = data.Items;
                    this._page = data.Page;
                    this._pagesCount = data.TotalPages;
                    this._totalCount = data.TotalCount;
                },
                error => console.error('Error: ' + error));
        }
        search(i): void {
            super.search(i);
            this.getPhotos();
        };
    }

    Notice here that we imported more angular modules to use on this component. Modules such as CORE_DIRECTIVES, FORM_DIRECTIVES are needed in order to use angular build-in directives such as *ngFor on the template. We also imported routing related modules so that we can create a routerLink on the template that will navigate us back to the default route, Home. We need to declare those modules in the directives array of the component. The getPhotos() function invokes the dataService.get method which returns an Objervable<any>. Then we used the .subscribe function which registers handlers for handling emitted values, error and completions from that observable and executes the observable’s subscriber function. We used it to bound the result come from the server to the Array of photos items to be displayed. We also set some properties such as this._page or this._pageCount which are being used for pagination purposes. At the moment you cannot find those properties cause they are inherited from the Paginated class. I have created this re-usable class in order to be used from all components need to support pagination. It doesn’t matter if the component needs to iterate photos, albums or tomatos.. this re-usable component holds the core functionality to support pagination for any type of items. Add the paginated.ts Typescript file inside a new folder named common under app/core.

    paginated.ts

    export class Paginated {
        public _page: number = 0;
        public _pagesCount: number = 0;
        public _totalCount: number = 0;
        constructor(page: number, pagesCount: number, totalCount: number) {
            this._page = page;
            this._pagesCount = pagesCount;
            this._totalCount = totalCount;
        }
        range(): Array<any> {
            if (!this._pagesCount) { return []; }
            var step = 2;
            var doubleStep = step * 2;
            var start = Math.max(0, this._page - step);
            var end = start + 1 + doubleStep;
            if (end > this._pagesCount) { end = this._pagesCount; }
            var ret = [];
            for (var i = start; i != end; ++i) {
                ret.push(i);
            }
            return ret;
        };
        pagePlus(count: number): number {
            return + this._page + count;
        }
        search(i): void {
            this._page = i;
        };
    }

    The properties of t this class are used to render a paginated list (we ‘ll view it soon in action). When the user click a number or an first/previous/next/last arrow, the component that inherits this class, the only thing needs to do is to set the current page and make the request. All the other stuff happens automatically. Let’s view the app/components/photos.html template now.

    photos.html

    <div class="container">
        <div class="row">
            <div class="col-lg-12">
                <h1 class="page-header">
                    Photo Gallery photos
                    <small><i>(all albums displayed)</i></small>
                </h1>
                <ol class="breadcrumb">
                    <li>
                        <a [routerLink]="['/Home']">Home</a>
                    </li>
                    <li class="active">Photos</li>
                </ol>
            </div>
        </div>
        <div class="row">
            <div class="col-lg-3 col-md-4 col-xs-6 picture-box" *ngFor="#image of _photos">
                
                    {{image.Title}}
                
            </div>
        </div>
    </div>
    <footer class="navbar navbar-fixed-bottom">
        <div class="text-center">
            <div ng-hide="(!_pagesCount || _pagesCount < 2)" style="display:inline">
                <ul class="pagination pagination-sm">
                    <li><a *ngIf="page != 0_" (click)="search(0)"><<</a></li>
                    <li><a *ngIf="_page != 0" (click)="search(_page-1)"><</a></li>
                    <li *ngFor="#n of range()" [ngClass]="{active: n == _page}">
                        <a (click)="search(n)" *ngIf="n != _page">{{n+1}}</a>
                        <span *ngIf="n == _page">{{n+1}}</span>
                    </li>
                    <li><a *ngIf="_page != (_pagesCount - 1)" (click)="search(pagePlus(1))">></a></li>
                    <li><a *ngIf="_page != (_pagesCount - 1)" (click)="search(_pagesCount - 1)">>></a></li>
                </ul>
            </div>
        </div>
    </footer>

    The [routerLink] will create a link to the Home component. We used the new angular directive to iterate an array of photo items.

    *ngFor="#image of _photos">

    The footer element is the one that will render the paginated list depending on the total items fetched from the server and the paginated properties being set. Those properties are going to be set from the server using a new class named PaginatedSet.
    Let’s switch and prepare the server-side infrastructure for this component. Add the following class inside the Infrastructure/Core folder.

    PaginationSet.cs

    public class PaginationSet<T>
        {
            public int Page { get; set; }
            public int Count
            {
                get
                {
                    return (null != this.Items) ? this.Items.Count() : 0;
                }
            }
            public int TotalPages { get; set; }
            public int TotalCount { get; set; }
            public IEnumerable<T> Items { get; set; }
        }

    And now the controller. Add the PhotosController Web API Controller class inside the Controllers folder.

    PhotosController.cs

    [Route("api/[controller]")]
        public class PhotosController : Controller
        {
            IPhotoRepository _photoRepository;
            ILoggingRepository _loggingRepository;
            public PhotosController(IPhotoRepository photoRepository, ILoggingRepository loggingRepository)
            {
                _photoRepository = photoRepository;
                _loggingRepository = loggingRepository;
            }
            [HttpGet("{page:int=0}/{pageSize=12}")]
            public PaginationSet<PhotoViewModel> Get(int? page, int? pageSize)
            {
                PaginationSet<PhotoViewModel> pagedSet = null;
                try
                {
                    int currentPage = page.Value;
                    int currentPageSize = pageSize.Value;
                    List<Photo> _photos = null;
                    int _totalPhotos = new int();
                    _photos = _photoRepository
                        .AllIncluding(p => p.Album)
                        .OrderBy(p => p.Id)
                        .Skip(currentPage * currentPageSize)
                        .Take(currentPageSize)
                        .ToList();
                    _totalPhotos = _photoRepository.GetAll().Count();
                    IEnumerable<PhotoViewModel> _photosVM = Mapper.Map<IEnumerable<Photo>, IEnumerable<PhotoViewModel>>(_photos);
                    pagedSet = new PaginationSet<PhotoViewModel>()
                    {
                        Page = currentPage,
                        TotalCount = _totalPhotos,
                        TotalPages = (int)Math.Ceiling((decimal)_totalPhotos / currentPageSize),
                        Items = _photosVM
                    };
                }
                catch (Exception ex)
                {
                    _loggingRepository.Add(new Error() { Message = ex.Message, StackTrace = ex.StackTrace, DateCreated = DateTime.Now });
                    _loggingRepository.Commit();
                }
                return pagedSet;
            }
        }

    The Get action returns a PaginatedSet containing the PhotoViewModel items to be displayed and the required paginated information to create a client paginated list. The thing is that we haven’t set any Automapper configuration yet and if you recall, I have told you to keep an Automapper related line in the Startup class commented out until the time comes. Well.. why don’t we configure it right now? Add a new folder named Mappings under Infrastructure and create the following class.

    DomainToViewModelMappingProfile.cs

    public class DomainToViewModelMappingProfile : Profile
        {
            protected override void Configure()
            {
                Mapper.CreateMap<Photo, PhotoViewModel>()
                   .ForMember(vm => vm.Uri, map => map.MapFrom(p => "/images/" + p.Uri));
                Mapper.CreateMap<Album, AlbumViewModel>()
                    .ForMember(vm => vm.TotalPhotos, map => map.MapFrom(a => a.Photos.Count))
                    .ForMember(vm => vm.Thumbnail, map => 
                        map.MapFrom(a => (a.Photos != null && a.Photos.Count > 0) ?
                        "/images/" + a.Photos.First().Uri :
                        "/images/thumbnail-default.png"));
            }
        }

    The code creates mappings for both Photo to PhotoViewModel and Album to AblumViewModel objects. For the former we only add an images prefix for the photo URI so that can be mapped to wwwroot/images folder and for the latter we set the TotalPhotos property as well. In the same folder add the AutoMapperConfiguration class as follow.

    AutoMapperConfiguration.cs

    public class AutoMapperConfiguration
        {
            public static void Configure()
            {
                Mapper.Initialize(x =>
                {
                    x.AddProfile<DomainToViewModelMappingProfile>();
                });
            }
        }

    Now you can safely uncomment the following line from the Configure(IApplicationBuilder app) function in the Startup class.

    AutoMapperConfiguration.Configure();

    The albums angular component is almost identical to the photos one with one exception. It uses a routing related variable in order to redirect to the albumphotos component when user clicks on a specific album. Thus before showing the code I believe it is necessary to introduce you to the routing configuration our SPA will follow. Let’s discuss the architecture shown in the following schema.
    Fig26_6155
    The idea is that the SPA is getting bootstrapped from an AppRoot component. This component defines a routing configuration through a @RouteConfig angular annotation. There are three types of navigation paths defined on its configuration. The first one is the simplest one where the path points to a single component (leaf) and that component gets activated and render the corresponding html template. The second type is the one where again the path points to a single component (also leaf) but this time it passes an extra parameter as well. Last but not least, the third type is where a path points to component that has its own route configuration which means that this component is expected to define a new routing configuration with the angular @RouteConfig annotation. The @RouteConfig annotation accepts an object with an array of Route objects. Each route object has a path, a component, a name and a path. Let’s create this object which eventually will set the routing configuration for the AppRoot component. Add the routes.ts file under the wwwroot/app folder.

    routes.ts

    import { Route, Router } from 'angular2/router';
    import { Home } from './components/home';
    import { Photos } from './components/photos';
    import { Albums } from './components/albums';
    import { AlbumPhotos } from './components/albumPhotos';
    import { Account } from './components/account/account';
    export var Routes = {
        home: new Route({ path: '/', name: 'Home', component: Home }),
        photos: new Route({ path: '/photos', name: 'Photos', component: Photos }),
        albums: new Route({ path: '/albums', name: 'Albums', component: Albums }),
        albumPhotos: new Route({ path: '/albums/:id/photos', name: 'AlbumPhotos', component: AlbumPhotos }),
        account: new Route({ path: '/account/...', name: 'Account', component: Account })
    };
    export const APP_ROUTES = Object.keys(Routes).map(r => Routes[r]);

    We set nothing here, we have only defined an object with an array of Routes. The Routes variable reflects exactly the previous picture. Pay attention the way we ‘ll pass an id paramater when we navigate to view a specific album’s photos. Also, we expect that the Account component that gets activated when we navigate to /#/account, has a new routing configuration. At this point we haven’t coded that component yet but that’s OK, we ‘ll do it a little bit later. Let’s continue from where we have stopped, the Albums component. Add the albums.ts Typescript file under app/components.

    albums.ts

    import {Component} from 'angular2/core';
    import {CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/common';
    import {Router, RouterLink} from 'angular2/router'
    import { Album } from '../core/domain/album';
    import { Paginated } from '../core/common/paginated';
    import { DataService } from '../core/services/dataService';
    import { UtilityService } from '../core/services/utilityService';
    import { Routes, APP_ROUTES } from '../routes';
    @Component({
        selector: 'albums',
        templateUrl: './app/components/albums.html',
        directives: [CORE_DIRECTIVES, FORM_DIRECTIVES, RouterLink]
    })
    export class Albums extends Paginated{
        private _albumsAPI: string = 'api/albums/';
        private _albums: Array<Album>;
        private routes = Routes;
        constructor(public albumsService: DataService,
                    public utilityService: UtilityService,
                    public router: Router) {
            super(0, 0, 0);
            this.routes = Routes;
            albumsService.set(this._albumsAPI, 3);
            this.getAlbums();
        }
        getAlbums(): void {
            this.albumsService.get(this._page)
                .subscribe(res => {               
                    var data:any = res.json();
                    this._albums = data.Items;
                    this._page = data.Page;
                    this._pagesCount = data.TotalPages;
                    this._totalCount = data.TotalCount;
                },
                error => {
                    if (error.status == 401) {
                        this.utilityService.navigateToSignIn();
                    }
                    console.error('Error: ' + error);
                });
        }
        search(i): void {
            super.search(i);
            this.getAlbums();
        };
        convertDateTime(date: Date) {
            return this.utilityService.convertDateTime(date);
        }
    }

    As i mentioned this component is identical to the Photos with the exception that has a reference to the APP_ROUTES object we have just coded. I made this just to show you how easily you can use it to navigate to different routes using the RouterLink directive. Another thing to notice is that I have intentionally made the DataService.get() method to return an Observable<Response> rather than the JSON serialized result because I know that my API call my return an unauthorized code. Hence, if an error occurred and the status is 401 we navigate to the login template else we proceed to serialize the result. It’s up to you what you prefer, I just wanted to show you some options that you have. Let’s view the related template albums.html. Add it under the same folder app/components.

    albums.html

    <div class="container">
        <div class="row">
            <div class="col-lg-12">
                <h1 class="page-header">
                    Photo Gallery albums
                    <small>Page {{_page + 1}} of {{_pagesCount}}</small>
                </h1>
                <ol class="breadcrumb">
                    <li>
                        <a [routerLink]="['/Home']">Home</a>
                    </li>
                    <li class="active">Albums</li>
                </ol>
            </div>
        </div>
        <!-- /.row -->
        <div class="row album-box" *ngFor="#album of _albums">
            <div class="col-md-1 text-center">
                <p>
                    <i class="fa fa-camera fa-4x"></i>
                </p>
                <p>{{convertDateTime(album.DateCreated)}}</p>
            </div>
            <div class="col-md-5">
                
                    
                
            </div>
            <div class="col-md-6">
                <h3>
                    <a [routerLink]="[routes.albumPhotos.name, {id: album.Id}]">{{album.Title}}</a>
                </h3>
                <p>
                    Photos: <span class="badge">{{album.TotalPhotos}}</span>
                </p>
                <p>{{album.Description}}</p>
                <a *ngIf="album.TotalPhotos > 0" class="btn btn-primary" [routerLink]="[routes.albumPhotos.name, {id: album.Id}]">View photos <i class="fa fa-angle-right"></i></a>
            </div>
            <hr/>
        </div>
        <hr>
    </div>
    <footer class="navbar navbar-fixed-bottom">
        <div class="text-center">
            <div ng-hide="(!_pagesCount || _pagesCount < 2)" style="display:inline">
                <ul class="pagination pagination-sm">
                    <li><a *ngIf="_page != 0_" (click)="search(0)"><<</a></li>
                    <li><a *ngIf="_page != 0" (click)="search(_page-1)"><</a></li>
                    <li *ngFor="#n of range()" [ngClass]="{active: n == _page}">
                        <a (click)="search(n)" *ngIf="n != _page">{{n+1}}</a>
                        <span *ngIf="n == _page">{{n+1}}</span>
                    </li>
                    <li><a *ngIf="_page != (_pagesCount - 1)" (click)="search(pagePlus(1))">></a></li>
                    <li><a *ngIf="_page != (_pagesCount - 1)" (click)="search(_pagesCount - 1)">>></a></li>
                </ul>
            </div>
        </div>
    </footer>

    We assign the value of the [routerLink] directive equal to the name of the route where we want to navigate. We can do it either hard coded..

    <a [routerLink]="['/Home']">Home</a>

    ..or using the routes variable..

    <a [routerLink]="[routes.albumPhotos.name, {id: album.Id}]">{{album.Title}}</a>

    In the last one we can see how to pass the id parameter required for the albumPhotos route. Let’s implement the Web API Controller AlbumsController now. Add the class inside Controllers folder.

    AlbumsController.cs

    [Route("api/[controller]")]
        public class AlbumsController : Controller
        {
            private readonly IAuthorizationService _authorizationService;
            IAlbumRepository _albumRepository;
            ILoggingRepository _loggingRepository;
            public AlbumsController(IAuthorizationService authorizationService,
                                    IAlbumRepository albumRepository,
                                    ILoggingRepository loggingRepository)
            {
                _authorizationService = authorizationService;
                _albumRepository = albumRepository;
                _loggingRepository = loggingRepository;
            }
            [HttpGet("{page:int=0}/{pageSize=12}")]
            public async Task<IActionResult> Get(int? page, int? pageSize)
            {
                PaginationSet<AlbumViewModel> pagedSet = new PaginationSet<AlbumViewModel>();
                try
                {
                    if (await _authorizationService.AuthorizeAsync(User, "AdminOnly"))
                    {
                        int currentPage = page.Value;
                        int currentPageSize = pageSize.Value;
                        List<Album> _albums = null;
                        int _totalAlbums = new int();
                        _albums = _albumRepository
                            .AllIncluding(a => a.Photos)
                            .OrderBy(a => a.Id)
                            .Skip(currentPage * currentPageSize)
                            .Take(currentPageSize)
                            .ToList();
                        _totalAlbums = _albumRepository.GetAll().Count();
                        IEnumerable<AlbumViewModel> _albumsVM = Mapper.Map<IEnumerable<Album>, IEnumerable<AlbumViewModel>>(_albums);
                        pagedSet = new PaginationSet<AlbumViewModel>()
                        {
                            Page = currentPage,
                            TotalCount = _totalAlbums,
                            TotalPages = (int)Math.Ceiling((decimal)_totalAlbums / currentPageSize),
                            Items = _albumsVM
                        };
                    }
                    else
                    {
                        StatusCodeResult _codeResult = new StatusCodeResult(401);
                        return new ObjectResult(_codeResult);
                    }
                }
                catch (Exception ex)
                {
                    _loggingRepository.Add(new Error() { Message = ex.Message, StackTrace = ex.StackTrace, DateCreated = DateTime.Now });
                    _loggingRepository.Commit();
                }
                return new ObjectResult(pagedSet);
            }
            [HttpGet("{id:int}/photos/{page:int=0}/{pageSize=12}")]
            public PaginationSet<PhotoViewModel> Get(int id, int? page, int? pageSize)
            {
                PaginationSet<PhotoViewModel> pagedSet = null;
                try
                {
                    int currentPage = page.Value;
                    int currentPageSize = pageSize.Value;
                    List<Photo> _photos = null;
                    int _totalPhotos = new int();
                    Album _album = _albumRepository.GetSingle(a => a.Id == id, a => a.Photos);
                    _photos = _album
                                .Photos
                                .OrderBy(p => p.Id)
                                .Skip(currentPage * currentPageSize)
                                .Take(currentPageSize)
                                .ToList();
                    _totalPhotos = _album.Photos.Count();
                    IEnumerable<PhotoViewModel> _photosVM = Mapper.Map<IEnumerable<Photo>, IEnumerable<PhotoViewModel>>(_photos);
                    pagedSet = new PaginationSet<PhotoViewModel>()
                    {
                        Page = currentPage,
                        TotalCount = _totalPhotos,
                        TotalPages = (int)Math.Ceiling((decimal)_totalPhotos / currentPageSize),
                        Items = _photosVM
                    };
                }
                catch (Exception ex)
                {
                    _loggingRepository.Add(new Error() { Message = ex.Message, StackTrace = ex.StackTrace, DateCreated = DateTime.Now });
                    _loggingRepository.Commit();
                }
                return pagedSet;
            }
        }

    The highlighted lines shows you the way you can check programmatically if the current request is authorized to access a specific part of code. We used an instance of Microsoft.AspNet.Authorization.IAuthorizationService to check if the ClaimsPrincipal user fullfiles the requirements of the AdminOnly policy. If not we return a new object of type StatusCodeResult with a 401 status and a message. You can add that class inside the Infrastructure/Core folder.

    StatusCodeResult.cs

    public class StatusCodeResult
        {
            private int _status;
            private string _message;
            public int Status {
                get
                {
                    return _status;
                }
                private set { }
            }
            public string Message
            {
                get
                {
                    return _message;
                }
                private set { }
            }
            public StatusCodeResult(int status)
            {
                if (status == 401)
                    _message = "Unauthorized access. Login required";
                _status = status;
            }
            public StatusCodeResult(int code, string message)
            {
                _status = code;
                _message = message;
            }
        }

    OK, we prevented access to the api/albums/get API but was this the right way to do it? Of course not because the way we implemented it we do allow the request to dispatch in our controller’s action and later on we forbid the action. What we would like to have though is a cleaner way to prevent unauthorized access before requests reach the action and of course without the use of the Microsoft.AspNet.Authorization.IAuthorizationService. All you have to do, is decorate the action you want to prevent access to with the [Authorize(Policy = “AdminOnly”)] attribute. Do if for both the actions in the AlbumsController. You can now safely remove the code that programmatically checks if the user fullfiles the AdminOnly policy.

    part of AlbumsController

    [Authorize(Policy = "AdminOnly")]
            [HttpGet("{page:int=0}/{pageSize=12}")]
            public async Task<IActionResult> Get(int? page, int? pageSize)
            {
                PaginationSet<AlbumViewModel> pagedSet = new PaginationSet<AlbumViewModel>();
                try
                {
    			// Code omitted

    We will procceed with the albumPhotos angular component which is responsible to display a respective album’s photos using pagination. We will see two new features on this component: The first one is the RouteParams which is an immutable map of parameters for the given route based on the url matcher and optional parameters for that route. We will use it to extract the :id parameter from the route api/albums/:id/photos. The second one is a confirmation message which will ask the user to confirm photo removal. Add the albumsPhotos.ts file inside the app/components folder.

    albumPhotos.ts

    import {Component} from 'angular2/core';
    import {CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/common';
    import {RouterLink, RouteParams} from 'angular2/router'
    import { Photo } from '../core/domain/photo';
    import { Paginated } from '../core/common/paginated';
    import { DataService } from '../core/services/dataService';
    import { UtilityService } from '../core/services/utilityService';
    import { NotificationService } from '../core/services/notificationService';
    import { OperationResult } from '../core/domain/operationResult';
    @Component({
        selector: 'album-photo',
        providers: [NotificationService],
        templateUrl: './app/components/albumPhotos.html',
        bindings: [NotificationService],
        directives: [CORE_DIRECTIVES, FORM_DIRECTIVES, RouterLink]
    })
    export class AlbumPhotos extends Paginated {
        private _albumsAPI: string = 'api/albums/';
        private _photosAPI: string = 'api/photos/';
        private _albumId: string;
        private _photos: Array<Photo>;
        private _displayingTotal: number;
        private _routeParam: RouteParams;
        private _albumTitle: string;
        constructor(public dataService: DataService,
            public utilityService: UtilityService,
            public notificationService: NotificationService,
            routeParam: RouteParams) {
            super(0, 0, 0);
            this._routeParam = routeParam;
            this._albumId = this._routeParam.get('id');
            this._albumsAPI += this._albumId + '/photos/';
            dataService.set(this._albumsAPI, 12);
            this.getAlbumPhotos();
        }
        getAlbumPhotos(): void {
            this.dataService.get(this._page)
                .subscribe(res => {
                    var data: any = res.json();
                    this._photos = data.Items;
                    this._displayingTotal = this._photos.length;
                    this._page = data.Page;
                    this._pagesCount = data.TotalPages;
                    this._totalCount = data.TotalCount;
                    this._albumTitle = this._photos[0].AlbumTitle;
                },
                error => {
                    if (error.status == 401) {
                        this.utilityService.navigateToSignIn();
                    }
                    console.error('Error: ' + error)
                },
                () => console.log(this._photos));
        }
        search(i): void {
            super.search(i);
            this.getAlbumPhotos();
        };
        convertDateTime(date: Date) {
            return this.utilityService.convertDateTime(date);
        }
        delete(photo: Photo) {
            var _removeResult: OperationResult = new OperationResult(false, '');
            this.notificationService.printConfirmationDialog('Are you sure you want to delete the photo?',
                () => {
                    this.dataService.deleteResource(this._photosAPI + photo.Id)
                        .subscribe(res => {
                            _removeResult.Succeeded = res.Succeeded;
                            _removeResult.Message = res.Message;
                        },
                        error => console.error('Error: ' + error),
                        () => {
                            if (_removeResult.Succeeded) {
                                this.notificationService.printSuccessMessage(photo.Title + ' removed from gallery.');
                                this.getAlbumPhotos();
                            }
                            else {
                                this.notificationService.printErrorMessage('Failed to remove photo');
                            }
                        });
                });
        }
    }

    We called the RouteParams.get() method to extract the :id value from the route. When user clicks to delete a photo, a confirmation dialog pops up. This comes from the notificationService.printConfirmationDialog method, that accepts a callback function to be called in case user clicks OK.

    part of notificationService

    printConfirmationDialog(message: string, okCallback: () => any) {
            this._notifier.confirm(message, function (e) {
                if (e) {
                    okCallback();
                } else {
                }
            });
        }

    If removal succeeded we display a success message and refresh the album photos. It’s time to implement the membership’s related components. As we have allready mentioned, there is a nested routing configuration for those components so let’s start by creating this first. Add a new folder named account under app/components and create the following routes.ts file.

    routes.ts

    import { Route, Router } from 'angular2/router';
    import { Login } from './login';
    import { Register } from './register';
    import { Home } from '../../components/home';
    export var Routes = {
        login: new Route({ path: '/', name: 'Login', component: Login }),
        register: new Route({ path: '/register', name: 'Register', component: Register }),
        home: new Route({ path: '/home', name: 'Home', component: Home })
    };
    export const APP_ROUTES = Object.keys(Routes).map(r => Routes[r]);

    This file is almost identical with the one we created under app with the difference that difines different routes. The @RouteConfig configuration related to those routes will be defined in the Account component. Let’s recall part of the app/routes.ts file.

    part of app/routes.ts

    export var Routes = {
        home: new Route({ path: '/', name: 'Home', component: Home }),
        photos: new Route({ path: '/photos', name: 'Photos', component: Photos }),
        albums: new Route({ path: '/albums', name: 'Albums', component: Albums }),
        albumPhotos: new Route({ path: '/albums/:id/photos', name: 'AlbumPhotos', component: AlbumPhotos }),
        account: new Route({ path: '/account/...', name: 'Account', component: Account })
    };

    Add the Login component in a login.ts Typescript file under app/components/account.

    login.ts

    import {Component} from 'angular2/core';
    import {CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/common';
    import {Router, RouterLink} from 'angular2/router';
    import { Routes, APP_ROUTES } from './routes';
    import { User } from '../../core/domain/user';
    import { OperationResult } from '../../core/domain/operationResult';
    import { MembershipService } from '../../core/services/membershipService';
    import { NotificationService } from '../../core/services/notificationService';
    @Component({
        selector: 'albums',
        providers: [MembershipService, NotificationService],
        templateUrl: './app/components/account/login.html',
        bindings: [MembershipService, NotificationService],
        directives: [CORE_DIRECTIVES, FORM_DIRECTIVES, RouterLink]
    })
    export class Login {
        private routes = Routes;
        private _router: Router;
        private _user: User;
        constructor(public membershipService: MembershipService,
                    public notificationService: NotificationService,
                    router: Router) {
            this._user = new User('', '');
            this.routes = Routes;
            this._router = router;
        }
        login(): void {
            var _authenticationResult: OperationResult = new OperationResult(false, '');
            this.membershipService.login(this._user)
                .subscribe(res => {
                    _authenticationResult.Succeeded = res.Succeeded;
                    _authenticationResult.Message = res.Message;
                },
                error => console.error('Error: ' + error),
                () => {
                    if (_authenticationResult.Succeeded) {
                        this.notificationService.printSuccessMessage('Welcome back ' + this._user.Username + '!');
                        localStorage.setItem('user', JSON.stringify(this._user));
                        this._router.navigate([this.routes.home.name]);
                    }
                    else {
                        this.notificationService.printErrorMessage(_authenticationResult.Message);
                    }
                });
        };
    }

    We inject the memberhipService in the constructor and when the user clicks to sign in we call the membershipService.login method passing as a parameter user’s username and password. We subscribe the result of the login operation in a OperationResult object and if the authentication succeeded we store user’s credentials in a ‘user’ key using the localStorage.setItem function. Add the related login template in a login.html file under app/account/components.

    login.html

    <div id="loginModal" class="modal show" tabindex="-1" role="dialog" aria-hidden="true">
        <div class="modal-dialog">
            <div class="modal-content">
                <div class="modal-header">
                    <button type="button" class="close" data-dismiss="modal" aria-hidden="true">×</button>
                    <h1 class="text-center">
                        <span class="fa-stack fa-1x">
                            <i class="fa fa-circle fa-stack-2x text-primary"></i>
                            <i class="fa fa-user fa-stack-1x fa-inverse"></i>
                        </span>Login
                    </h1>
                </div>
                <div class="modal-body">
                    <form class="form col-md-12 center-block" #hf="ngForm">
                        <div class="form-group">
                            <input type="text" class="form-control input-lg" placeholder="Username" [(ngModel)]="_user.Username"
                                   name="username" ngControl="username" required #username="ngForm" />
                            <div [hidden]="username.valid || username.untouched" class="alert alert-danger">
                                Username is required
                            </div>
                        </div>
                        <div class="form-group">
                            <input type="password" class="form-control input-lg" placeholder="Password" [(ngModel)]="_user.Password"
                                   name="password" ngControl="password" required #password="ngForm"/>
                            <div [hidden]="password.valid || password.untouched" class="alert alert-danger">
                                Password is required
                            </div>
                        </div>
                        <div class="form-group">
                            <button class="btn btn-primary btn-lg btn-block" (click)="login()" [disabled]="!hf.form.valid">Sign In</button>
                            <span class="pull-right">
                                <a [routerLink]="[routes.register.name]">Register</a>
                            </span>
                        </div>
                    </form>
                </div>
                <div class="modal-footer">
                    <div class="col-md-12">
                        <a class="btn btn-danger pull-left" [routerLink]="[routes.home.name]" data-dismiss="modal" aria-hidden="true">Cancel</a>
                    </div>
                </div>
            </div>
        </div>
    </div>

    The highlighted lines shows some interesting features in Angular 2. We used two-way databinding using the NgModel directive and the NgControl directive that tracks change state and validity of form controls and updates the control with special Angular CSS classes as well. We used the # symbol to create local template variables for the form and the two input controls and we used them to validate those controls. For example we defined a local variable username..

    #username

    .. and we used it to show or hide a validity error as follow..

    <div [hidden]="username.valid || username.untouched" class="alert alert-danger">
         Username is required
    </div>

    We also disable the Sign in button till the form is valid.

    <button class="btn btn-primary btn-lg btn-block" (click)="login()" [disabled]="!hf.form.valid">Sign In</button>

    Fig27_6155
    The Register component and its template follow the same logic as the login’s one so just create the register.ts and register.html files under the app/components/account folder.

    register.ts

    import {Component} from 'angular2/core';
    import {CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/common';
    import {ROUTER_PROVIDERS, ROUTER_DIRECTIVES, Router} from 'angular2/router'
    import { Routes, APP_ROUTES } from './routes';
    import { Registration } from '../../core/domain/registration'
    import { OperationResult } from '../../core/domain/operationResult'
    import { MembershipService } from '../../core/services/membershipService';
    import { NotificationService } from '../../core/services/notificationService';
    @Component({
        selector: 'register',
        providers: [MembershipService, NotificationService],
        templateUrl: './app/components/account/register.html',
        bindings: [MembershipService, NotificationService],
        directives: [CORE_DIRECTIVES, FORM_DIRECTIVES, ROUTER_DIRECTIVES]
    })
    export class Register {
        private routes = Routes;
        private _router: Router;
        private _newUser: Registration;
        constructor(public membershipService: MembershipService,
                    public notificationService: NotificationService,
                    router: Router) {
            this._newUser = new Registration('', '', '');
            this._router = router;
            this.routes = Routes;
        }
        register(): void {
            var _registrationResult: OperationResult = new OperationResult(false, '');
            this.membershipService.register(this._newUser)
                .subscribe(res => {
                    _registrationResult.Succeeded = res.Succeeded;
                    _registrationResult.Message = res.Message;
                },
                error => console.error('Error: ' + error),
                () => {
                    if (_registrationResult.Succeeded) {
                        this.notificationService.printSuccessMessage('Dear ' + this._newUser.Username + ', please login with your credentials');
                        this._router.navigate([this.routes.login.name]);
                    }
                    else {
                        this.notificationService.printErrorMessage(_registrationResult.Message);
                    }
                });
        };
    }

    register.html

    <div id="registerModal" class="modal show" tabindex="-1" role="dialog" aria-hidden="true">
        <div class="modal-dialog">
            <div class="modal-content">
                <div class="modal-header">
                    <button type="button" class="close" data-dismiss="modal" aria-hidden="true">×</button>
                    <h1 class="text-center">
                        <span class="fa-stack fa-1x">
                            <i class="fa fa-circle fa-stack-2x text-primary"></i>
                            <i class="fa fa-user-plus fa-stack-1x fa-inverse"></i>
                        </span>Register
                    </h1>
                </div>
                <div class="modal-body">
                    <form class="form col-md-12 center-block" #hf="ngForm">
                        <div class="form-group">
                            <input type="text" class="form-control input-lg" placeholder="Username" [(ngModel)]="_newUser.Username" 
                                   name="username" ngControl="username" required #username="ngForm">
                            <div [hidden]="username.valid || username.untouched" class="alert alert-danger">
                                Username is required
                            </div>
                        </div>
                        <div class="form-group">
                            <input type="email" class="form-control input-lg" placeholder="Email" [(ngModel)]="_newUser.Email" 
                                   name="email" ngControl="email" required #email="ngForm">
                            <div [hidden]="email.valid || email.untouched" class="alert alert-danger">
                                Email is required
                            </div>
                        </div>
                        <div class="form-group">
                            <input type="password" class="form-control input-lg" placeholder="Password" [(ngModel)]="_newUser.Password" 
                                   name="password" ngControl="password" required #password="ngForm">
                            <div [hidden]="password.valid || password.untouched" class="alert alert-danger">
                                Password is required
                            </div>
                        </div>
                        <div class="form-group">
                            <button class="btn btn-primary btn-lg btn-block" (click)="register()" [disabled]="!hf.form.valid">Register</button>
                        </div>
                    </form>
                </div>
                <div class="modal-footer">
                    <div class="col-md-12">
                        <a class="btn btn-danger pull-left" [routerLink]="['/Account/Login']" data-dismiss="modal" aria-hidden="true">Cancel</a>
                    </div>
                </div>
            </div>
        </div>
    </div>

    Let us create the Account component where all the routing configuration related to membership is getting bootstrapped. Add the account.ts file under app/components/account.

    account.ts

    import {Component} from 'angular2/core'
    import {CORE_DIRECTIVES, FORM_DIRECTIVES} from 'angular2/common'
    import {RouteConfig, ROUTER_DIRECTIVES, ROUTER_BINDINGS} from 'angular2/router';
    import { Routes, APP_ROUTES } from './routes';
    @Component({
        selector: 'account',
        templateUrl: './app/components/account/account.html',
        directives: [ROUTER_DIRECTIVES, CORE_DIRECTIVES, FORM_DIRECTIVES]
    })
    @RouteConfig(APP_ROUTES)
    export class Account {
        constructor() {
        }
    }

    We used the @RouteConfig decorator to configure the routing when this component gets activated. Let’s recall the routes under account and explain how this works.

    part of routes.ts

    export var Routes = {
        login: new Route({ path: '/', name: 'Login', component: Login }),
        register: new Route({ path: '/register', name: 'Register', component: Register }),
        home: new Route({ path: '/home', name: 'Home', component: Home })
    };

    First of all mind that the browser’s URL will be at least [www.website.com/#/account] so that those routes start working. When the browser URL for this application becomes /register (www.website.com/#/account/register), the router matches that URL to the RouteDefintion named Register and displays the Register in a RouterOutlet that we are going to place in the account.html template. Here’s the account.html template under app/components/account.

    account.html

    <div class="container">
        <router-outlet></router-outlet>
    </div>

    You can think the router-outlet something like the angularJS 1 ng-view. When the route changes the respective template to be rendered is placed inside this element. Of course you can add any other html elements outside the router-element. Those elements are going to be rendered all the time either you are on the Login or the Register template cause the account.html template is the host’s component template. We declared that the default component when the Account is activated is the Login.

    part of account/routes.ts

    login: new Route({ path: '/', name: 'Login', component: Login })

    Finally, it’s high time to gather all those together and write the root component AppRoot which will bootstrap our Single Page Application. Add the app.ts Typescript file under app folder.

    app.ts

    import {provide, Component, View} from 'angular2/core';
    import {CORE_DIRECTIVES} from 'angular2/common';
    import {bootstrap} from 'angular2/platform/browser';
    import {HTTP_BINDINGS, HTTP_PROVIDERS, Headers, RequestOptions, BaseRequestOptions} from 'angular2/http';
    import {
    RouteConfig, ROUTER_DIRECTIVES, ROUTER_PROVIDERS, ROUTER_BINDINGS,
    Location, LocationStrategy, HashLocationStrategy
    } from 'angular2/router';
    import 'rxjs/add/operator/map';
    import {enableProdMode} from 'angular2/core';
    enableProdMode();
    import { Routes, APP_ROUTES } from './routes';
    import { DataService } from './core/services/dataService';
    import { MembershipService } from './core/services/membershipService';
    import { UtilityService } from './core/services/utilityService';
    import { User } from './core/domain/user';
    @Component({
        selector: 'photogallery-app',
        templateUrl: './app/app.html',
        directives: [ROUTER_DIRECTIVES, CORE_DIRECTIVES]
    })
    @RouteConfig(APP_ROUTES)
    export class AppRoot {
        private routes = Routes;
        constructor(public membershipService: MembershipService, location: Location) {
            this.routes = Routes;
            location.go('/');
        }
        isUserLoggedIn(): boolean {
            return this.membershipService.isUserAuthenticated();
        }
        getUserName(): string {
            if (this.isUserLoggedIn()) {
                var _user = this.membershipService.getLoggedInUser();
                return _user.Username;
            }
            else
                return 'Account';
        }
        logout(): void {
            this.membershipService.logout()
                .subscribe(res => {
                    localStorage.removeItem('user');
                },
                error => console.error('Error: ' + error),
                () => { });
        }
    }
    class AppBaseRequestOptions extends BaseRequestOptions {
        headers: Headers = new Headers({
            'Content-Type': 'application/json'
        })
    }
    bootstrap(AppRoot, [HTTP_PROVIDERS, ROUTER_PROVIDERS,
        provide(RequestOptions, { useClass: AppBaseRequestOptions }),
        provide(LocationStrategy, { useClass: HashLocationStrategy }),
        DataService, MembershipService, UtilityService])
        .catch(err => console.error(err));
    // ROUTER_BINDINGS: DO NOT USE HERE IF YOU WANT TO HAVE HASHLOCATIONSTRATEGY!!

    The AppRoot components sets the default route configuration when the SPA starts. Of course those routes comes from the app folder and not from the app/components/account. The component exposes some membership related functions (login, logout, getUsername) which will allow us to display the user’s name and a logout button if authenticated and a login button if not. We created a BaseRequestOption class in order to override the default options used by Http to create and send Requests. We declared that we want the Content-Type header to be equal to application/json when making http requests to our Web API back-end infrastructure. Last but not least we called the bootstrap function to instantiate an Angular application. We explicitly specified that the root component will be the AppRoot. Then we set the request options we created before and a LocationStrategy as well. We have also made our custom services available through our application. The app.html template is the one the will host two important features. The first one is the navigation top-bar and of course the main router-outlet. Add it under wwwroot/app folder.

    app.html

    <!-- Navigation -->
    <nav class="navbar navbar-inverse navbar-fixed-top" role="navigation">
        <div class="container">
            <div class="navbar-header">
                <button type="button" class="navbar-toggle" data-toggle="collapse" data-target="#bs-example-navbar-collapse-1">
                    <span class="sr-only">Toggle navigation</span>
                    <span class="icon-bar"></span>
                    <span class="icon-bar"></span>
                    <span class="icon-bar"></span>
                </button>
                <a class="navbar-brand" [routerLink]="['/Home']"><i class="fa fa-home fa-fw"></i>&nbsp;Photo Gallery</a>
            </div>
            <div class="collapse navbar-collapse" id="bs-example-navbar-collapse-1">
                <ul class="nav navbar-nav navbar-right">
                    <li>
                         About
                    </li>
                    <li>
                        <a [routerLink]="[routes.photos.name]"><i class="fa fa-camera fa-fw"></i>&nbsp;Photos</a>
                    </li>
                    <li>
                    <li><a [routerLink]="[routes.albums.name]"><i class="fa fa-picture-o fa-fw"></i>&nbsp;Albums</a></li>
                    <li class="dropdown">
                         Blog
                        <ul class="dropdown-menu">
                            <li>
                                 Github
                            </li>
                            <li>
                                 Twitter
                            </li>
                            <li>
                                 Facebook
                            </li>
                            <li>
                                 Previous version
                            </li>
                        </ul>
                    </li>
                    <li class="dropdown">
                         {{getUserName()}}
                        <ul class="dropdown-menu">
                            <li *ngIf="!isUserLoggedIn()">
                                <a [routerLink]="['/Account/Login']"><i class="fa fa-unlock-alt fa-fw"></i>&nbsp;Sign in</a>
                            </li>
                            <li *ngIf="isUserLoggedIn()">
                                <a  [routerLink]="[routes.home.name]" (click)="logout()"><i class="fa fa-power-off fa-fw"></i>&nbsp;Logout</a>
                            </li>
                        </ul>
                    </li>
                </ul>
            </div>
        </div>
    </nav>
    <div>
        <router-outlet></router-outlet>
    </div>

    Since the top-bar is html elements of the base host component, it will be always displayed whichever component and route is active. Believe it or not, we have finished building the PhotoGallery cross-platform ASP.NET 5 Single Page Application. At this point you can run the build-spa Gulp task, build and run the application. Let’s view the final result with a .gif:Fig28_6155.

    Discussion

    Single Page Application Scalability

    One thing you may wonder at the moment is.. I cannot remember referensing all those components we have coded (e.g. Home, Login, Albums..) in any page, so how is this even working? The answer to this question will show us the way to scale this app in case we wanted to provide multiple views. Let me remind you first that when the compile-typescript task runs all the transpiled files end in the wwwroot/lib/spa folder. Hense, we should wait to find the transpiled result of our root component AppRoot in a wwwroot/lib/spa/app.js file. This is the only file you need to reference in your page that will eventually host this single page application. And which is that page? The Index.cshtml of course..

    part of Index.cshtml

    <photogallery-app>
        <div class="loading">Loading</div>
    </photogallery-app>
    @section scripts
    {
        <script src="~/lib/js/jquery.fancybox.pack.js"></script>
        <script src="~/lib/js/alertify.min.js"></script>
    }
    @section customScript
    {
        System.import('./lib/spa/app.js').catch(console.log.bind(console));
        $(document).ready(function() {
        $('.fancybox').fancybox();
        });
    }

    All the required components and their javascript-transpiled files will be automatically loaded as required using the universal dynamic module loader SystemJS. Let’s assume now that we need to scale this app and create a new MVC View named Test.cshtml and of course we want to bootstrap a hall new different Single Page Application. This Test.cshtml could use the default _Layout.cshtml page which is a bootstrap template that references only the basic libraries to start coding Angular 2 applications. All you have to do now is create a new root component, for example AppRootTest in a typescript file named apptest.ts under wwwroot/app. This component will probably has its own routes, so you could create them as well. If you see that your application gets too large and you code too many root components, you can place all of them under a new folder named wwwroot/app/bootstrappers. Then part of the Test.cshtml page could look like this.

    part of Test.cshtml

    <photogallery-apptest>
        <div class="loading">Loading</div>
    </photogallery-apptest>
    @section scripts
    {
        <script src="~/lib/js/jquery.fancybox.pack.js"></script>
        <script src="~/lib/js/alertify.min.js"></script>
    }
    @section customScript
    {
        System.import('./lib/spa/apptest.js').catch(console.log.bind(console));
        $(document).ready(function() {
        $('.fancybox').fancybox();
        });
    }

    As you can see this page will only load the root component AppTest and its related files as well.

    ASP.NET 5 architecture

    In case this isn’t your first time you visit my blog, you will know that I always try to keep things clean as far as instrastrure concerns. Yet, on this application I kept all data repositories and services inside the web app. I did it for a reason. First of all I excluded the classic c# class libraries. ASP.NET 5 is a cross-platform framework, it isn’t supposed to work directly with those libraries. MAC and linux users have probably no clue what a c# class library is. So an alternative option may would be to use ASP.NET 5 class libraries (packages). Those types of projects are cross-platform compiled and can target multiple frameworks. At the time though this post was written, I found that they weren’t that much stable to use them in this app so I decided to focus on the Web only. I am very sure that time will show us the best way to architect the different components in a ASP.NET 5 application. When this time comes, I will certainly post about it.

    Conlusion

    Building the PhotoGallery application was a great experience for me and I hope so for you as well. I believe that ASP.NET 5 will help us build more robust, scalable and feature-focused applications. The option where we can only install what we only want to use is simply great. The idea that you have no unnecessary packages installed or unnecessary code running behind the scenes makes you think that you build super lightweighted and fast applications. Same applies for Angular 2 for which I found that coding with it had a lot of fun. Import only what you actually want to use, inject only what actually need to inject, nothing more. Let’s recap at this point the best features we saw on this post.

          1. Create and configure an ASP.NET 5 application to use MVC 6 services.
          2. Setup Entity Framework 7 and dependency injection.
          3. Enable Entity Framework migrations.
          4. Resolve any dependency conficts between different target frameworks.
          5. Setup an ASP.NET 5 application to start coding with Angular 2 and Typescript using NPM, Bower, Gulp.
          6. View in action several Angular 2 features such as Routing, nested routing, Components, HTTP requests.
          7. CRUD operations using Angular 2 and Typescript
          8. Form validation with Angular 2
            The source code of the PhotoGallery app is available on GitHub and in case you haven’t followed coding with me, you will also find detailed instructions to run it over there. You can submit your comments for this post on the comments area.
            Fig29_6155

Christos Sakellarios

Senior Software Engineer, Blogger

Related Articles

Subscribe
Notify of
guest

This site uses Akismet to reduce spam. Learn how your comment data is processed.

4 Comments
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
GoneYouth
7 years ago

Doesn’t even compile!

chsakell
chsakell
7 years ago

Yup, that’s why it got so many stars and forks, cause it doesn’t compile. You probably came across to the latest angular 2 beta 16 breaking changes related to Location strategies.

Check the following links and also make sure you understand how open source works.

https://github.com/angular/angular/issues/8229
https://github.com/angular/angular/commit/b602bd8c835ef33f9d0c44e2595558471462fec5
https://github.com/chsakell/aspnet5-angular2-typescript/blob/c7d6082b35a976cfb7e7a74b4ba1908e5e9cd1c5/src/PhotoGallery/wwwroot/app/app.ts

Parker Jennifer August
Parker Jennifer August
7 years ago

Hi Chris I’m having an issue with this example wherein the AJAX calls to the [Authorize] decorated actions in AlbumsController return a 302 Found redirect rather than the 401 Not Authorized I’d expect, and which the behavior depicted above requires. Using Fiddler to manually hit /api/albums/0/3, if I add the following request header: X-Requested-With: XMLHttpRequest I get the 401 response I expect. My next investigation is to determine how to configure Http in Angular2 to send the X-Requested-With HTTP header by default, but I want to touch base with you first to ask: – Is this the correct fix? Is… Read more »

G
G
7 years ago

For authorization to work correctly (i.e. return a 401 Not Authorized instead of a 302 Found redirect), line 78 in file Startup.cs should be:

options.AutomaticChallenge = false;

i.e. setting the AutomaticChallenge property to false, not true. If set to true, the 302 will attempt to redirect the browser to the /Account/Login path with a ReturnUrl in the query, which Angular2’s Http component doesn’t see as an error, instead trying to process an empty response.

-G

Back to top button