Frontend Web Development with Angular. CC BY-NC-ND Carrot & Company GmbH

Size: px
Start display at page:

Download "Frontend Web Development with Angular. CC BY-NC-ND Carrot & Company GmbH"

Transcription

1 Frontend Web Development with Angular

2 Agenda Questions Some infos Lecturing Todos Router NgModules

3 Questions?

4 Some Infos Code comments from us were made for improving your code. If you ignore them you might lose points in the next sprint.

5 Routing & Navigation [

6 Today's Topics Routes Configuration Router Link Router Outlet ActivatedRoute Relative Navigation Router Events Route Guards Component-less Route

7 Today's Topics Routing Modules Multiple Router Outlets Optional Route Parameter Query Parameters and Fragments Asynchronous Routing Preloading

8 Sample Application

9 Routes Configuration Route Data Route with Parameter Child Routes Redirecting Route Wildcard Route first-match wins strategy Route data: page titles, breadcrumb text, and other read-only, static data

10 Routes Configuration Routes Config Print navigation lifecycle to console RouterModule.forRoot method is a pattern used to register application-wide providers

11 Router Link & Router Outlet Router Outlet acts as a placeholder <a routerlink="/user/bob">link to user component</a> <a [routerlink]="[ /user, bob ]">link to user component</a>

12 ActivatedRoute import { ActivatedRoute } from '@angular/router';... constructor(private activatedroute: ActivatedRoute) { } Important: convert param to number with + Unsubscribe from this observable? The Router destroys a routed component when it is no longer needed and the injected ActivatedRoute dies with it.

13 ActivatedRoute Observable parammap and component reuse The router re-uses a component instance when it re-navigates to the same component type without visiting a different component first The route parameters could change each time Eg: A parent component navigation bar had "forward" and "back" buttons that scrolled through the list of persons. Each click navigated to the detail component of a person with the next or previous id. Alternative: Use a snapshot let id = this.activatedroute.snapshot.parammap.get('id');

14 Relative Navigation Current route: localhost:5555/user/1/details <a [routerlink]="...">link to user component</a> directory-like syntax: [../ ] localhost:5555/user/1 [../../ ] localhost:5555/user [../admin ] localhost:5555/user/1/admin [./admin ] localhost:5555/user/1/details/admin [ /admin ] localhost:5555/admin

15 Relative Navigation import { Router, ActivatedRoute } from '@angular/router';... constructor(private router: Router, private activatedroute: ActivatedRoute){ }...

16 Router Events

17 Route Guards The user is not authorized to navigate to the target component The user must login first CanActivate, CanActivateChild Fetch some data before you display the target component Resolve Save pending changes before leaving a component CanDeactivate Ask the user if it's OK to discard pending changes rather than save them

18 Route Guards Multiple guards at every level of a routing hierarchy The router checks the CanDeactivate and CanActivateChild guards first, from the deepest child route to the top Then it checks the CanActivate guards from the top down to the deepest child route Return value of a guard controls the routing behavior True Navigation process continues False Navigation process stops and the user stays put Pending guards that have not completed will be canceled, and the entire navigation is canceled

19 Route Guards

20 Route Guards

21 Route Guards CanActivate CanDeactivate

22 Route Guards CanActivateChild Resolve

23 Route Guards The guard can also cancel the navigation and tell router to navigate elsewhere Requires an Observable to complete, meaning it has emitted all of its values Note: The observable provided to the Router must also complete. If the observable does not complete, the navigation will not continue.

24 Route Guards Guards and the service providers they require must be provided at the module-level Router can retrieve these services from the injector during the navigation process Same rule applies for feature modules loaded export class PermissionGuard implements CanActivate { } constructor(private personservice: PersonService) { declarations: [...], imports: [...], providers: [ PersonService,... ], bootstrap: [...] }) export class AppModule {}

25 Component-less Route Grouping routes Makes it easier to guard child routes

26 Routing Modules Separates routing concerns from other application concerns Provides a module to replace or remove when testing the application Provides a well-known location for routing service providers including guards and resolvers Does not declare components!

27 Routing Modules Order! By re-exporting the RouterModule here the components declared in AppModule will have access to router directives such as RouterLink and RouterOutlet.

28 Routing Modules really necessary? Advice from the Angular Team: Choose one pattern or the other and follow that pattern consistently.

29 Multiple Router Outlets The router only supports one primary unnamed outlet per template A template can also have any number of named outlets Each named outlet has its own set of routes with their own components Multiple outlets can be displaying different content, determined by different routes, all at the same time Named outlets are the targets of secondary routes Eg: Pop-Up

30 Multiple Router Outlets & Secondary Routes Secondary routes look like primary routes and you can configure them the same way. They are independent of each other They work in combination with other routes Route:

31 Route Parameter Required URL Parameter (as placeholder in the route) Optional URL Parameters (matrix URL notation) Query Parameters Fragment

32 Optional Route Parameter Optional route parameters are not separated by "?" or "&" as they would be in the URL query string Separated by semicolons ";" Matrix URL notation Eg. localhost:4200/persons;id=15;foo=bar

33 Query Parameters and Fragments Fragments refer to certain elements on the page identified with an id attribute More information about query parameter handling and preserving of query parameter and fragments:

34 Sample Application

35 Lazy Loading with the Router At the moment: AdminModule is loaded when the application starts Eager loading Means that all modules are loaded when the app launches What we want: AdminModule loads only when the user clicks on a link Lazy loading

36 Lazy Loading with the Router Load feature modules lazily, on request Multiple benefits Load feature areas only when requested by the user Speed up load time for users that only visit certain areas of the app

37 Lazy Loading with the Router Provided services in a lazy-loaded module are only visible to that module Module-scoped Router lazy-loads a module it creates a new execution context Context has its own injector Child injector Direct child of the root injector Providers of a lazy module and the providers of its imported modules are added to the child injector

38 Lazy Loading with the Router Root Injector AppModule Router lazy-loads a module PersonModule Child Injector Child Injector AdminModule

39 Lazy Loading with the Router Guard lazy loaded modules with a CanLoad guard CanLoad guard is checked before the module is loaded

40 Lazy Loading with the Router CanLoad guard use case: You are already protecting the AdminModule with a CanActivate guard that prevents unauthorized users from accessing the admin feature area. It will redirect the user to the login page if the user is not authorized. But the router is still loading the AdminModule even if the user can't visit any of its components. Ideally, you'd only load the AdminModule if the user is logged in. Use CanLoad guard

41 Routing vs Routed Modules Routed Modules Domain feature modules whose top components are the targets of routes Lazy-loaded modules Don t export anything because their components never appear in the template of another component Should not be imported by any module Would trigger an eager load Routing Modules Provides routing configuration for another module Separates routing concerns from its companion module

42 Preloading After each successful navigation Router looks in its configuration for an unloaded module that it can preload Preloading depends on preloading strategy Preloading strategies None (Default) Preload all Modules Custom Preloading Strategy Custom Preloading Strategy:

43 Preloading PreloadAllModules strategy does not load feature areas protected by a CanLoad guard Want to preload a module and guard against unauthorized access, drop the CanLoad guard and use the CanActivate guard alone

44 Thank you for your attention! Questions?

45 Todos Refactor code based on suggestions and code comments Finish 3nd Sprint

About me. Routing into the Sunset with Angular. Manfred Steyer SOFTWAREarchitekt.at Trainer & Consultant Focus: Angular Google Developer Expert (GDE)

About me. Routing into the Sunset with Angular. Manfred Steyer SOFTWAREarchitekt.at Trainer & Consultant Focus: Angular Google Developer Expert (GDE) Routing into the Sunset with Angular Manfred Steyer SOFTWAREarchitekt.at About me Manfred Steyer SOFTWAREarchitekt.at Trainer & Consultant Focus: Angular Google Developer Expert (GDE) Manfred Steyer Page

More information

Angular 2 and TypeScript Web Application Development

Angular 2 and TypeScript Web Application Development Angular 2 and TypeScript Web Application Development Course code: IJ -23 Course domain: Software Engineering Number of modules: 1 Duration of the course: 42 study 1 (32 astr.) hours Sofia, 2016 Copyright

More information

Comprehensive Angular 2 Review of Day 3

Comprehensive Angular 2 Review of Day 3 Form Validation: built in validators: added to template: required minlength maxlength pattern form state: state managed through NgModel classes: control has been visited: ng-touched or ng-untouched control

More information

Angular 4 Training Course Content

Angular 4 Training Course Content CHAPTER 1: INTRODUCTION TO ANGULAR 4 Angular 4 Training Course Content What is Angular 4? Central Features of the Angular Framework Why Angular? Scope and Goal of Angular Angular 4 vs Angular 2 vs. AngularJS

More information

Angular 2 Programming

Angular 2 Programming Course Overview Angular 2 is the next iteration of the AngularJS framework. It promises better performance. It uses TypeScript programming language for type safe programming. Overall you should see better

More information

Angular 4 Syllabus. Module 1: Introduction. Module 2: AngularJS to Angular 4. Module 3: Introduction to Typescript

Angular 4 Syllabus. Module 1: Introduction. Module 2: AngularJS to Angular 4. Module 3: Introduction to Typescript Angular 4 Syllabus Module 1: Introduction Course Objectives Course Outline What is Angular Why use Angular Module 2: AngularJS to Angular 4 What s Changed Semantic Versioning Module 3: Introduction to

More information

Lab 1 - Introduction to Angular

Lab 1 - Introduction to Angular Lab 1 - Introduction to Angular In this lab we will build a Hello World style Angular component. The key focus is to learn how to install all the required code and use them from the browser. We wont get

More information

Sample Copy. Not For Distribution.

Sample Copy. Not For Distribution. Angular 2 Interview Questions and Answers With Typescript and Angular 4 i Publishing-in-support-of, EDUCREATION PUBLISHING RZ 94, Sector - 6, Dwarka, New Delhi - 110075 Shubham Vihar, Mangla, Bilaspur,

More information

Advanced Angular & Angular 6 Preview. Bibhas Bhattacharya

Advanced Angular & Angular 6 Preview. Bibhas Bhattacharya Advanced Angular & Angular 6 Preview Bibhas Bhattacharya Agenda Lazy loading modules Using Bootstrap with Angular Publish/subscribe with the RxJS Subject API What's new in Angular 6 Lazy Loading Modules

More information

Virtual Domains. Creating a Virtual Domain CHAPTER

Virtual Domains. Creating a Virtual Domain CHAPTER CHAPTER 20 A Cisco WCS virtual domain consists of a set of devices and maps and restricts a user s view to information relevant to these devices and maps. Through a virtual domain, an administrator can

More information

By the end of this Angular 6 tutorial, you'll learn by building a real world example application:

By the end of this Angular 6 tutorial, you'll learn by building a real world example application: Throughout this Angular 6 tutorial, we'll learn to build a full-stack example web application with Angular 6, the latest version of Angular The most popular framework/platform for building mobile and desktop

More information

Magento Survey Extension User Guide

Magento Survey Extension User Guide Magento Survey Extension User Guide Page 1 Table of Contents To Access Plugin, Activate API Key... 3 Create Questions... 5 Manage Survey... 6 Assign Question to Survey... 7 Reveal Survey In Three Ways...

More information

Roxen Content Provider

Roxen Content Provider Roxen Content Provider Generation 3 Templates Purpose This workbook is designed to provide a training and reference tool for placing University of Alaska information on the World Wide Web (WWW) using the

More information

Creating Pages with the CivicPlus System

Creating Pages with the CivicPlus System Creating Pages with the CivicPlus System Getting Started...2 Logging into the Administration Side...2 Icon Glossary...3 Mouse Over Menus...4 Description of Menu Options...4 Creating a Page...5 Menu Item

More information

"Charting the Course... Comprehensive Angular 6 Course Summary

Charting the Course... Comprehensive Angular 6 Course Summary Course Summary Description Build applications with the user experience of a desktop application and the ease of deployment of a web application using Angular. Start from scratch by learning the JavaScript

More information

Angular 2 and TypeScript Web Application Development

Angular 2 and TypeScript Web Application Development Angular 2 and TypeScript Web Application Development Course code: IJ -19 Course domain: Software Engineering Number of modules: 1 Duration of the course: 40 study 1 hours Sofia, 2016 Copyright 2003-2016

More information

Smart Call Home Web Application

Smart Call Home Web Application CHAPTER 3 This chapter discusses the following areas: Overview of the Launch Smart Call Home Smart Call Home Overview Page Registration Management Processes Report Generation Overview of the Smart Call

More information

Course Outline. ProTech Professional Technical Services, Inc. Comprehensive Angular 7 Course Summary. Description

Course Outline. ProTech Professional Technical Services, Inc. Comprehensive Angular 7 Course Summary. Description Course Summary Description Use Angular 7 to easily build web applications that interacts with the user by dynamically rewriting the current page rather than loading entire new pages from a server. Learn

More information

FRONT END WEB. {< Course Details >}

FRONT END WEB. {< Course Details >} FRONT END WEB {< Course Details >} centers@acadgild.com www.acadgild.com 90360 10796 css { } HTML JS { ; } centers@acadgild.com www.acadgild.com 90360 10796 Brief About the Course Our Front end development

More information

Contents OVERVIEW... 3

Contents OVERVIEW... 3 Contents OVERVIEW... 3 Feature Summary... 3 CONFIGURATION... 4 System Requirements... 4 ConnectWise Manage Configuration... 4 Configuration of Manage Login... 4 Configuration of Integrator Login... 5 Option

More information

SelectSurveyASP Advanced User Manual

SelectSurveyASP Advanced User Manual SelectSurveyASP Advanced User Manual Creating Surveys 2 Designing Surveys 2 Templates 3 Libraries 4 Item Types 4 Scored Surveys 5 Page Conditions 5 Piping Answers 6 Previewing Surveys 7 Managing Surveys

More information

Single Page Applications using AngularJS

Single Page Applications using AngularJS Single Page Applications using AngularJS About Your Instructor Session Objectives History of AngularJS Introduction & Features of AngularJS Why AngularJS Single Page Application and its challenges Data

More information

Force IE to default to your home page with multiple home pages. This was configured on a Windows Server 2008 and with IE8 on all of the desktops.

Force IE to default to your home page with multiple home pages. This was configured on a Windows Server 2008 and with IE8 on all of the desktops. Force IE to default to your home page with multiple home pages This was configured on a Windows Server 2008 and with IE8 on all of the desktops. It is highly recommended that you do not use the "Default

More information

Work 365 Help. User Guide IOTAP MAKES NO WARRANTIES, EXPRESS OR IMPLIED, IN THIS DOCUMENT.

Work 365 Help. User Guide IOTAP MAKES NO WARRANTIES, EXPRESS OR IMPLIED, IN THIS DOCUMENT. Work 365 Help User Guide IOTAP MAKES NO WARRANTIES, EXPRESS OR IMPLIED, IN THIS DOCUMENT. Complying with all applicable copyright laws is the responsibility of the user. Without limiting the rights under

More information

Comprehensive AngularJS Programming (5 Days)

Comprehensive AngularJS Programming (5 Days) www.peaklearningllc.com S103 Comprehensive AngularJS Programming (5 Days) The AngularJS framework augments applications with the "model-view-controller" pattern which makes applications easier to develop

More information

IBM Atlas Policy Distribution Administrators Guide: IER Connector. for IBM Atlas Suite v6

IBM Atlas Policy Distribution Administrators Guide: IER Connector. for IBM Atlas Suite v6 IBM Atlas Policy Distribution Administrators Guide: IER Connector for IBM Atlas Suite v6 IBM Atlas Policy Distribution: IER Connector This edition applies to version 6.0 of IBM Atlas Suite (product numbers

More information

Working with Groups, Roles, and Users. Selectica, Inc. Selectica Contract Performance Management System

Working with Groups, Roles, and Users. Selectica, Inc. Selectica Contract Performance Management System Selectica, Inc. Selectica Contract Performance Management System Copyright 2008 Selectica, Inc. 1740 Technology Drive, Suite 450 San Jose, CA 95110 http://www.selectica.com World rights reserved. You cannot

More information

Advanced React JS + Redux Development

Advanced React JS + Redux Development Advanced React JS + Redux Development Course code: IJ - 27 Course domain: Software Engineering Number of modules: 1 Duration of the course: 40 astr. hours / 54 study 1 hours Sofia, 2016 Copyright 2003-2016

More information

Oracle Fusion Middleware 11g: Build Applications with ADF I

Oracle Fusion Middleware 11g: Build Applications with ADF I Oracle University Contact Us: +966 1 1 2739 894 Oracle Fusion Middleware 11g: Build Applications with ADF I Duration: 5 Days What you will learn This course is aimed at developers who want to build Java

More information

SharePoint 2010 Tutorial

SharePoint 2010 Tutorial SharePoint 2010 Tutorial TABLE OF CONTENTS Introduction... 1 Basic Navigation... 2 Navigation Buttons & Bars... 3 Ribbon... 4 Library Ribbon... 6 Recycle Bin... 7 Permission Levels & Groups... 8 Create

More information

PHP + ANGULAR4 CURRICULUM 6 WEEKS

PHP + ANGULAR4 CURRICULUM 6 WEEKS PHP + ANGULAR4 CURRICULUM 6 WEEKS Hands-On Training In this course, you develop PHP scripts to perform a variety to takes, culminating in the development of a full database-driven Web page. Exercises include:

More information

Demystifying Angular 2. SPAs for the Web of Tomorrow

Demystifying Angular 2. SPAs for the Web of Tomorrow Demystifying Angular 2 SPAs for the Web of Tomorrow Philipp Tarasiewicz, JavaLand, 08.03.2016 Web Dev / Distributed Systems 15 yr. About Me Philipp Tarasiewicz Consultant / Trainer / Developer philipp.tarasiewicz@googlemail.com

More information

Description Interim Process Status Bug/Story ID Fixed Release

Description Interim Process Status Bug/Story ID Fixed Release CWS- As of: 02/09/2018 The following table represents the interim processes to be used as short-term, alternative steps for users given known system bugs or features not working as designed. They may be

More information

Dynamics 365 for BPO Dynamics 365 for BPO

Dynamics 365 for BPO Dynamics 365 for BPO Dynamics 365 for BPO The Solution is designed to address most of the day to day process functionalities in case management of D365 MICROSOFT LABS 1 Table of Contents 1. Overview... 4 2. How to Verify the

More information

Chatter Answers Implementation Guide

Chatter Answers Implementation Guide Chatter Answers Implementation Guide Salesforce, Spring 16 @salesforcedocs Last updated: April 27, 2016 Copyright 2000 2016 salesforce.com, inc. All rights reserved. Salesforce is a registered trademark

More information

Easily communicate with customers using up-to-date, customized templates. Allow customers to return products as an existing customer or guest.

Easily communicate with customers using up-to-date, customized  templates. Allow customers to return products as an existing customer or guest. .0 USER GUIDE Version 1.0 support@exto.io http://exto.io/rma-for-magento-2.html Keep your staff informed with RMA s power Admin interface. Easily communicate with customers using up-to-date, customized

More information

MarkLogic Server. Information Studio Developer s Guide. MarkLogic 8 February, Copyright 2015 MarkLogic Corporation. All rights reserved.

MarkLogic Server. Information Studio Developer s Guide. MarkLogic 8 February, Copyright 2015 MarkLogic Corporation. All rights reserved. Information Studio Developer s Guide 1 MarkLogic 8 February, 2015 Last Revised: 8.0-1, February, 2015 Copyright 2015 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Information

More information

Lecture 4. Ruby on Rails 1 / 49

Lecture 4. Ruby on Rails 1 / 49 Lecture 4 Ruby on Rails 1 / 49 Client-Server Model 2 / 49 What is it? A client (e.g. web browser, phone, computer, etc.) sends a request to a server Request is an HTTP request Stands for HyperText Transfer

More information

Integrating Angular with ASP.NET Core RESTful Services. Dan Wahlin

Integrating Angular with ASP.NET Core RESTful Services. Dan Wahlin Integrating Angular with ASP.NET Core RESTful Services Dan Wahlin Dan Wahlin https://blog.codewithdan.com @DanWahlin Get the Content: http://codewithdan.me/angular-aspnet-core Agenda The Big Picture Creating

More information

VI-CENTER EXTENDED ENTERPRISE EDITION GETTING STARTED GUIDE. Version: 4.5

VI-CENTER EXTENDED ENTERPRISE EDITION GETTING STARTED GUIDE. Version: 4.5 VI-CENTER EXTENDED ENTERPRISE EDITION GETTING STARTED GUIDE This manual provides a quick introduction to Virtual Iron software, and explains how to use Virtual Iron VI-Center to configure and manage virtual

More information

VIRTUALIZATION MANAGER ENTERPRISE EDITION GETTING STARTED GUIDE

VIRTUALIZATION MANAGER ENTERPRISE EDITION GETTING STARTED GUIDE VIRTUALIZATION MANAGER ENTERPRISE EDITION GETTING STARTED GUIDE This manual provides a quick introduction to Virtual Iron software, and explains how to use Virtual Iron Virtualization Manager to configure

More information

HTTPS The New B2Bi Portal. Bank of America s secure web transmission interface user guide

HTTPS The New B2Bi Portal. Bank of America s secure web transmission interface user guide HTTPS The New B2Bi Portal Bank of America s secure web transmission interface user guide This manual contains proprietary and confidential information of Bank of America and was prepared by the staff of

More information

MAVEN INTERVIEW QUESTIONS

MAVEN INTERVIEW QUESTIONS MAVEN INTERVIEW QUESTIONS http://www.tutorialspoint.com/maven/maven_interview_questions.htm Copyright tutorialspoint.com Dear readers, these Maven Interview Questions have been designed specially to get

More information

Oracle Middleware 12c: Build Rich Client Applications with ADF Ed 1 LVC

Oracle Middleware 12c: Build Rich Client Applications with ADF Ed 1 LVC Oracle University Contact Us: Local: 1800 103 4775 Intl: +91 80 67863102 Oracle Middleware 12c: Build Rich Client Applications with ADF Ed 1 LVC Duration: 5 Days What you will learn This Oracle Middleware

More information

Vodafone Secure Device Manager Administration User Guide

Vodafone Secure Device Manager Administration User Guide Vodafone Secure Device Manager Administration User Guide Vodafone New Zealand Limited. Correct as of June 2017. Vodafone Ready Business Contents Introduction 3 Help 4 How to find help in the Vodafone Secure

More information

Workspace Administrator Help File

Workspace Administrator Help File Workspace Administrator Help File Table of Contents HotDocs Workspace Help File... 1 Getting Started with Workspace... 3 What is HotDocs Workspace?... 3 Getting Started with Workspace... 3 To access Workspace...

More information

Microsoft Windows SharePoint Services

Microsoft Windows SharePoint Services Microsoft Windows SharePoint Services SITE ADMIN USER TRAINING 1 Introduction What is Microsoft Windows SharePoint Services? Windows SharePoint Services (referred to generically as SharePoint) is a tool

More information

Group Administrators

Group Administrators Hosted VoIP Phone System Blue Platform Admin Portal Guide for Group Administrators Table of Contents 1 About this Guide... 6 2 Accessing the Hosted VoIP Phone System Admin Portal... 7 3 Hosted VoIP Admin

More information

Lecture 4. Ruby on Rails 1 / 52

Lecture 4. Ruby on Rails 1 / 52 Lecture 4 Ruby on Rails 1 / 52 Homeworks 2 & 3 Grades were released for homework 2 Homework 3 was due last night Everyone got a style freebie since my default setup ignores spec files and I didn't change

More information

Real Application Security Administration

Real Application Security Administration Oracle Database Real Application Security Administration Console (RASADM) User s Guide 12c Release 2 (12.2) E85615-01 June 2017 Real Application Security Administration Oracle Database Real Application

More information

User Guide Help Topics

User Guide Help Topics User Guide Help Topics - NetResults Tracker Help NetResults Tracker Help User Guide Help Topics NetResults Tracker Introduction Product Overview Features Glossary User's Guide User Accounts Getting Started

More information

Protection Blocking. Inspection. Web-Based

Protection Blocking. Inspection. Web-Based Protection Blocking Inspection Web-Based Anti-Virus & removal of dangerous attachments. Prevent your server from being used as open-relay. Stop mail-loops. Blocks open relay sources. Isolate known spam

More information

Content Matrix Organizer

Content Matrix Organizer Content Matrix Organizer User Guide February 05, 2018 www.metalogix.com info@metalogix.com 202.609.9100 Copyright 2018 Copyright International GmbH All rights reserved. No part or section of the contents

More information

GraphQL: Mind Your Ps and QLs

GraphQL: Mind Your Ps and QLs GraphQL: Mind Your Ps and QLs Misha Kotov Sr. Product Manager @mish_capish Cristian Partica MTS 1, Software Engineer @magento_chris The Beginning GraphQL Data query language developed internally by Facebook

More information

ANGULAR 2.X,4.X + TYPESRCIPT by Sindhu

ANGULAR 2.X,4.X + TYPESRCIPT by Sindhu ANGULAR 2.X,4.X + TYPESRCIPT by Sindhu GETTING STARTED WITH TYPESCRIPT Installing TypeScript Compiling the code Building a simple demo. UNDERSTANDING CLASSES Building a class Adding properties Demo of

More information

Frontend UI Training. Whats App :

Frontend UI Training. Whats App : Frontend UI Training Whats App : + 916 667 2961 trainer.subbu@gmail.com What Includes? 1. HTML 5 2. CSS 3 3. SASS 4. JavaScript 5. ES 6/7 6. jquery 7. Bootstrap 8. AJAX / JSON 9. Angular JS 1x 10. Node

More information

Figure 1-1. When we finish Part 2, our server will be ready to have workstations join the domain and start sharing files. Now here we go!

Figure 1-1. When we finish Part 2, our server will be ready to have workstations join the domain and start sharing files. Now here we go! 1 of 18 9/6/2008 4:05 AM Configuring Windows Server 2003 for a Small Business Network, Part 2 Written by Cortex Wednesday, 16 August 2006 Welcome to Part 2 of the "Configuring Windows Server 2003 for a

More information

UPGRADING TO RK UX. Ariel Norvell AVP, Product Services. Jeffrey Kranz Product Manager. Presentation Management sponsored by

UPGRADING TO RK UX. Ariel Norvell AVP, Product Services. Jeffrey Kranz Product Manager. Presentation Management sponsored by UPGRADING TO RK UX Ariel Norvell AVP, Product Services Jeffrey Kranz Product Manager Agenda RKUX Benefits RKUX Upgrade Process Am I Ready? Next Steps Q&A New User Experience (RKUX) Benefits Modern User

More information

WebStudio User Guide. OpenL Tablets BRMS Release 5.18

WebStudio User Guide. OpenL Tablets BRMS Release 5.18 WebStudio User Guide OpenL Tablets BRMS Release 5.18 Document number: TP_OpenL_WS_UG_3.2_LSh Revised: 07-12-2017 OpenL Tablets Documentation is licensed under a Creative Commons Attribution 3.0 United

More information

ANGULAR 10. Christian Ulbrich (Zalari)

ANGULAR 10. Christian Ulbrich (Zalari) ANGULAR 10 Christian Ulbrich (Zalari) The king is dead, long live the king! Christian Ulbrich (Zalari) SHAMELESS SELF-PLUG Zalari UG we do Consulting, Developing, Architecturing AngularJS is our bread

More information

Oracle Fusion Middleware 11g: Build Applications with ADF I

Oracle Fusion Middleware 11g: Build Applications with ADF I Oracle University Contact Us: Local: 1800 103 4775 Intl: +91 80 4108 4709 Oracle Fusion Middleware 11g: Build Applications with ADF I Duration: 5 Days What you will learn Java EE is a standard, robust,

More information

ORACLE WCM 11G MASTER CLASS

ORACLE WCM 11G MASTER CLASS Copyright 2011 Redstone Content Solutions LLC Oracle WCM 11g Master Class Training Agenda Revised Monday, May 2nd, 2011 REDSTONE CONTENT SOLUTIONS PRESENTS ORACLE WCM 11G MASTER CLASS Audience Designers

More information

Introducing the new Panasonic (PSCNA) Partner Portal. February 2017

Introducing the new Panasonic (PSCNA) Partner Portal. February 2017 1 Introducing the new Panasonic (PSCNA) Partner Portal February 2017 Agenda 2 1. Featured Highlights 2. Returning user? Activate your access today. 3. Homepage Feed 4. Product Range Overview 5. Resource

More information

SharePoint General Instructions

SharePoint General Instructions SharePoint General Instructions Table of Content What is GC Drive?... 2 Access GC Drive... 2 Navigate GC Drive... 2 View and Edit My Profile... 3 OneDrive for Business... 3 What is OneDrive for Business...

More information

Accepting Task Updates in Project Online / Project Server 2016 By: Collin Quiring

Accepting Task Updates in Project Online / Project Server 2016 By: Collin Quiring Accepting Task Updates in Project Online / Project Server 2016 By: Collin Quiring This document explains the steps for a Project Manager to view and accept (or reject) task updates. This is for Project

More information

2012 Microsoft Corporation. All rights reserved. Microsoft, Active Directory, Excel, Lync, Outlook, SharePoint, Silverlight, SQL Server, Windows,

2012 Microsoft Corporation. All rights reserved. Microsoft, Active Directory, Excel, Lync, Outlook, SharePoint, Silverlight, SQL Server, Windows, 2012 Microsoft Corporation. All rights reserved. Microsoft, Active Directory, Excel, Lync, Outlook, SharePoint, Silverlight, SQL Server, Windows, Windows Server, and other product names are or may be registered

More information

Alfresco Alfresco Explorer QuickStart

Alfresco Alfresco Explorer QuickStart Alfresco 4.2.0 Contents... 3 Important notes...3 Starting with Explorer... 3 Toolbar... 4 Sidebar... 4 Working area...4 Logging in... 5 Adding new users...5 Creating spaces and content... 7 Creating a

More information

HHH Instructional Computing Fall

HHH Instructional Computing Fall Quick Start Guide for School Web Lockers Teacher log-on is the same as for Infinite Campus Student log-on is the same initial log on to the network except no school year is required before their user name

More information

GoWall Best Practices: Template Guides Basic Ice Breakers

GoWall Best Practices: Template Guides Basic Ice Breakers This guide will help you run a successful Ice Breaker using an existing Ice Breaker Template that is instantly accessible within GoWall. V 1.0 Table of Contents 1.0 Overview (p.2) Includes general info

More information

12/05/2017. Geneva ServiceNow Custom Application Development

12/05/2017. Geneva ServiceNow Custom Application Development 12/05/2017 Contents...3 Applications...3 Creating applications... 3 Parts of an application...22 Contextual development environment... 48 Application management... 56 Studio... 64 Service Creator...87

More information

IBM TRIRIGA Application Platform Version 3 Release 4.2. Object Migration User Guide

IBM TRIRIGA Application Platform Version 3 Release 4.2. Object Migration User Guide IBM TRIRIGA Application Platform Version 3 Release 4.2 Object Migration User Guide Note Before using this information and the product it supports, read the information in Notices on page 41. This edition

More information

"Charting the Course... Comprehensive Angular. Course Summary

Charting the Course... Comprehensive Angular. Course Summary Description Course Summary Angular is a powerful client-side JavaScript framework from Google that supports simple, maintainable, responsive, and modular applications. It uses modern web platform capabilities

More information

Managing Video Feeds. About Video Feeds CHAPTER

Managing Video Feeds. About Video Feeds CHAPTER CHAPTER 5 This chapter describes how to use the VSOM Video Feeds area to set up and manage camera groups and feeds, import camera configurations into VSOM using batch administration, and set up archives

More information

1 Copyright 2011, Oracle and/or its affiliates. All rights reserved.

1 Copyright 2011, Oracle and/or its affiliates. All rights reserved. 1 Copyright 2011, Oracle and/or its affiliates. All rights reserved. ORACLE PRODUCT LOGO Oracle ADF Programming Best Practices Frank Nimphius Oracle Application Development Tools Product Management 2 Copyright

More information

Using vrealize Operations Tenant App as a Service Provider

Using vrealize Operations Tenant App as a Service Provider Using vrealize Operations Tenant App as a Service Provider Using vrealize Operations Tenant App as a Service Provider You can find the most up-to-date technical documentation on the VMware Web site at:

More information

One Framework. Angular

One Framework. Angular One Framework. Angular Web 2.0 Marc Dangschat Introduction AngularJS (1) released in 2009 Angular (2) released October Short: ng Framework TypeScript, JavaScript, Dart MIT license

More information

Table of Contents. I. How do I register for a new account? II. How do I log in? (I already have a MyJohnDeere.com account.)

Table of Contents. I. How do I register for a new account? II. How do I log in? (I already have a MyJohnDeere.com account.) Quick Start Guide If you are an App Developer, you can get started by adding a new app and configuring it to consume Deere APIs on developer.deere.com. Use this Quick Start Guide to find and try our APIs.

More information

From: Sudarshan N Raghavan (770)

From: Sudarshan N Raghavan (770) Spectrum Software, Inc. 11445 Johns Creek Pkwy. Suite 300 Duluth, GA 30097 www.spectrumscm.com Subject: SpectrumSCM Plugin for the Eclipse Platform Original Issue Date: February 2 nd, 2005 Latest Update

More information

EPM Live 2.2 Configuration and Administration Guide v.os1

EPM Live 2.2 Configuration and Administration Guide v.os1 Installation Configuration Guide EPM Live v2.2 Version.01 April 30, 2009 EPM Live 2.2 Configuration and Administration Guide v.os1 Table of Contents 1 Getting Started... 5 1.1 Document Overview... 5 1.2

More information

ForeScout Extended Module for MaaS360

ForeScout Extended Module for MaaS360 Version 1.8 Table of Contents About MaaS360 Integration... 4 Additional ForeScout MDM Documentation... 4 About this Module... 4 How it Works... 5 Continuous Query Refresh... 5 Offsite Device Management...

More information

HOW TO CONFIGURE AND USE A TRAUMACAD PLUG-IN WITH PHILIPS ISITE

HOW TO CONFIGURE AND USE A TRAUMACAD PLUG-IN WITH PHILIPS ISITE HOW TO CONFIGURE AND USE A TRAUMACAD PLUG-IN WITH PHILIPS ISITE This document describes the process of configuring the TraumaCad plug-in inside isite Enterprise or Radiology which allows a user to export

More information

Chapter 1. Configuring VPGO

Chapter 1. Configuring VPGO Chapter 1. Configuring VPGO The VPGO module is configured in the VISUAL PLANNING client. You can define as many VPGO templates as you need based on the three existing template types: Diary template Events

More information

Imagine for a moment

Imagine for a moment Imagine for a moment @trentmwillis Lazy Loading Engines: Anything But Lazy Engines allow multiple logical applications to be composed together into a single application from the user s perspective.

More information

Table of Contents. Introduction...1. Downloading the App...2. Logging In...3. Navigation...4. Dashboard...6. Action Reports Media Library...

Table of Contents. Introduction...1. Downloading the App...2. Logging In...3. Navigation...4. Dashboard...6. Action Reports Media Library... Mobile User Guide Table of Contents Introduction...1 Downloading the App...2 Logging In...3 Navigation...4 Home...5 Dashboard...6 Action Reports...7 Prospector...11 Enroll...15 Events...19 Shop...20 Media

More information

Android Mobile Single Sign-On to VMware Workspace ONE. SEP 2018 VMware Workspace ONE VMware Identity Manager VMware Identity Manager 3.

Android Mobile Single Sign-On to VMware Workspace ONE. SEP 2018 VMware Workspace ONE VMware Identity Manager VMware Identity Manager 3. Android Mobile Single Sign-On to VMware Workspace ONE SEP 2018 VMware Workspace ONE VMware Identity Manager VMware Identity Manager 3.3 You can find the most up-to-date technical documentation on the VMware

More information

User Guide. Kronodoc Kronodoc Oy. Intelligent methods for process improvement and project execution

User Guide. Kronodoc Kronodoc Oy. Intelligent methods for process improvement and project execution User Guide Kronodoc 3.0 Intelligent methods for process improvement and project execution 2003 Kronodoc Oy 2 Table of Contents 1 User Guide 5 2 Information Structure in Kronodoc 6 3 Entering and Exiting

More information

2. From the Dashboard, scroll down to the Hunt Group, and click the Settings Button, then click Detailed Settings.

2. From the Dashboard, scroll down to the Hunt Group, and click the Settings Button, then click Detailed Settings. Call Detail Records (CDR) for Hunt Groups PURPOSE: Explain how to pull, export and understand the Call Detail Records in relation to the Hunt Group Service. Pull Call Detail Reports (CDR) Call Detail Records

More information

Noopur Gupta Eclipse JDT/UI Committer IBM India

Noopur Gupta Eclipse JDT/UI Committer IBM India Noopur Gupta Eclipse JDT/UI Committer IBM India noopur_gupta@in.ibm.com 1 2 3 Show Workspace Location in the Title Bar (-showlocation) OR 4 Show Workspace Name in the Title Bar (Window > Preferences >

More information

Evolve Link Proposal to [Institution] for ebooks ScienceDirect. for Brightspace by D2L

Evolve Link Proposal to [Institution] for ebooks ScienceDirect. for Brightspace by D2L 0 Evolve Link Proposal to [Institution] External for ebooks Learning on Tool Setup ScienceDirect for Brightspace by D2L January 2018 1 Contents External Learning Tool Setup... 2 Adding Evolve Link to a

More information

USER MANUAL TABLE OF CONTENTS. Easy Site Maintenance. Version: 1.0.4

USER MANUAL TABLE OF CONTENTS. Easy Site Maintenance. Version: 1.0.4 USER MANUAL TABLE OF CONTENTS Introduction... 1 Benefits of Easy Site Maintenance... 1 Installation... 2 Installation Steps... 2 Installation (Custom Theme)... 3 Configuration... 4 Contact Us... 8 Easy

More information

Contents Release Notes System Requirements Using Jive for Office

Contents Release Notes System Requirements Using Jive for Office Jive for Office TOC 2 Contents Release Notes...3 System Requirements... 4 Using Jive for Office... 5 What is Jive for Office?...5 Working with Shared Office Documents... 5 Get set up...6 Get connected

More information

Teamcenter Getting Started with Workflow. Publication Number PLM00194 C

Teamcenter Getting Started with Workflow. Publication Number PLM00194 C Teamcenter 10.1 Getting Started with Workflow Publication Number PLM00194 C Proprietary and restricted rights notice This software and related documentation are proprietary to Siemens Product Lifecycle

More information

https://support.office.com/en-us/article/create-a-list-in-sharepoint-0d d95f-41eb-addd- 5e6eff41b083

https://support.office.com/en-us/article/create-a-list-in-sharepoint-0d d95f-41eb-addd- 5e6eff41b083 Site Owners Guide Table of Contents Site Owners Guide... 1 Create a list in SharePoint Server 2016... 2 Add a list to a page in SharePoint Server 2016... 3 Minimize or restore a list or library on a SharePoint

More information

News in RSA-RTE 10.0 updated for sprint Mattias Mohlin/Anders Ek, June 2016

News in RSA-RTE 10.0 updated for sprint Mattias Mohlin/Anders Ek, June 2016 News in RSA-RTE 10.0 updated for sprint 2016.29 Mattias Mohlin/Anders Ek, June 2016 Overview of Improvements (1/3) Now based on Eclipse Mars (4.5.2) New installation scheme RSARTE is now installed as a

More information

TeamViewer User Guide for Microsoft Dynamics CRM. Document Information Version: 0.5 Version Release Date : 20 th Feb 2018

TeamViewer User Guide for Microsoft Dynamics CRM. Document Information Version: 0.5 Version Release Date : 20 th Feb 2018 TeamViewer User Guide for Microsoft Dynamics CRM Document Information Version: 0.5 Version Release Date : 20 th Feb 2018 1 P a g e Table of Contents TeamViewer User Guide for Microsoft Dynamics CRM 1 Audience

More information

De La Salle University Information Technology Center. Microsoft Windows SharePoint Services and SharePoint Portal Server 2003

De La Salle University Information Technology Center. Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 De La Salle University Information Technology Center Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 WEB DESIGNER / ADMINISTRATOR User s Guide 2 Table Of Contents I. What is Microsoft

More information

Understanding Modelpedia Authorization

Understanding Modelpedia Authorization With Holocentric Modeler and Modelpedia Understanding Modelpedia Authorization V1.0/HUG003 Table of Contents 1 Purpose 3 2 Introduction 4 3 Roles 4 3.1 System Authority Roles... 5 3.2 Role Inclusion...

More information

DataLink Learn (SaaS or 9.1 Oct 2014+) Integration

DataLink Learn (SaaS or 9.1 Oct 2014+) Integration Overview... 2 Integration Goals... 2 Dependencies... 2 Steps to Integrate to Learn using DataLink... 2 Download and Install the DataLink Client Tool... 2 Technical Requirements... 2 Installing DataLink...

More information

XCONNECT 2018 GATEWAY USER MANUAL

XCONNECT 2018 GATEWAY USER MANUAL XCONNECT 2018 GATEWAY USER MANUAL V1.0 This guide will assist in the installation and configuration of the xconnect 2018 Gateway. Version 1.0 of the xconnect Gateway web portal includes the necessary functionality

More information

VIRTUALIZATION MANAGER ENTERPRISE EDITION GETTING STARTED GUIDE. Product: Virtual Iron Virtualization Manager Version: 4.2

VIRTUALIZATION MANAGER ENTERPRISE EDITION GETTING STARTED GUIDE. Product: Virtual Iron Virtualization Manager Version: 4.2 VIRTUALIZATION MANAGER ENTERPRISE EDITION GETTING STARTED GUIDE This manual provides a quick introduction to Virtual Iron software, and explains how to use Virtual Iron Virtualization Manager to configure

More information