Routing & Navigation

From Get docs
Angular/docs/8/guide/router


Routing & Navigation

The Angular Router enables navigation from one view to the next as users perform application tasks.

This guide covers the router's primary features, illustrating them through the evolution of a small application that you can run live in the browser.

Overview

The browser is a familiar model of application navigation:

  • Enter a URL in the address bar and the browser navigates to a corresponding page.
  • Click links on the page and the browser navigates to a new page.
  • Click the browser's back and forward buttons and the browser navigates backward and forward through the history of pages you've seen.

The Angular Router ("the router") borrows from this model. It can interpret a browser URL as an instruction to navigate to a client-generated view. It can pass optional parameters along to the supporting view component that help it decide what specific content to present. You can bind the router to links on a page and it will navigate to the appropriate application view when the user clicks a link. You can navigate imperatively when the user clicks a button, selects from a drop box, or in response to some other stimulus from any source. And the router logs activity in the browser's history journal so the back and forward buttons work as well.

The Basics

This guide proceeds in phases, marked by milestones, starting from a simple two-pager and building toward a modular, multi-view design with child routes.

An introduction to a few core router concepts will help orient you to the details that follow.

<base href>

Most routing applications should add a <base> element to the index.html as the first child in the <head> tag to tell the router how to compose navigation URLs.

If the app folder is the application root, as it is for the sample application, set the href value exactly as shown here.

<base href="/">

Router imports

The Angular Router is an optional service that presents a particular component view for a given URL. It is not part of the Angular core. It is in its own library package, @angular/router. Import what you need from it as you would from any other Angular package.

import { RouterModule, Routes } from '@angular/router';

You'll learn about more options in the details below.

Configuration

A routed Angular application has one singleton instance of the Router service. When the browser's URL changes, that router looks for a corresponding Route from which it can determine the component to display.

A router has no routes until you configure it. The following example creates five route definitions, configures the router via the RouterModule.forRoot() method, and adds the result to the AppModule's imports array.

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
  { path: 'hero/:id',      component: HeroDetailComponent },
  {
    path: 'heroes',
    component: HeroListComponent,
    data: { title: 'Heroes List' }
  },
  { path: '',
    redirectTo: '/heroes',
    pathMatch: 'full'
  },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
    // other imports here
  ],
  ...
})
export class AppModule { }

The appRoutes array of routes describes how to navigate. Pass it to the RouterModule.forRoot() method in the module imports to configure the router.

Each Route maps a URL path to a component. There are no leading slashes in the path. The router parses and builds the final URL for you, allowing you to use both relative and absolute paths when navigating between application views.

The :id in the second route is a token for a route parameter. In a URL such as /hero/42, "42" is the value of the id parameter. The corresponding HeroDetailComponent will use that value to find and present the hero whose id is 42. You'll learn more about route parameters later in this guide.

The data property in the third route is a place to store arbitrary data associated with this specific route. The data property is accessible within each activated route. Use it to store items such as page titles, breadcrumb text, and other read-only, static data. You'll use the resolve guard to retrieve dynamic data later in the guide.

The empty path in the fourth route represents the default path for the application, the place to go when the path in the URL is empty, as it typically is at the start. This default route redirects to the route for the /heroes URL and, therefore, will display the HeroesListComponent.

The ** path in the last route is a wildcard. The router will select this route if the requested URL doesn't match any paths for routes defined earlier in the configuration. This is useful for displaying a "404 - Not Found" page or redirecting to another route.

The order of the routes in the configuration matters and this is by design. The router uses a first-match wins strategy when matching routes, so more specific routes should be placed above less specific routes. In the configuration above, routes with a static path are listed first, followed by an empty path route, that matches the default route. The wildcard route comes last because it matches every URL and should be selected only if no other routes are matched first.

If you need to see what events are happening during the navigation lifecycle, there is the enableTracing option as part of the router's default configuration. This outputs each router event that took place during each navigation lifecycle to the browser console. This should only be used for debugging purposes. You set the enableTracing: true option in the object passed as the second argument to the RouterModule.forRoot() method.

Router outlet

The RouterOutlet is a directive from the router library that is used like a component. It acts as a placeholder that marks the spot in the template where the router should display the components for that outlet.

<router-outlet></router-outlet>
  <!-- Routed components go here -->

Given the configuration above, when the browser URL for this application becomes /heroes, the router matches that URL to the route path /heroes and displays the HeroListComponent as a sibling element to the RouterOutlet that you've placed in the host component's template.

Router links

Now you have routes configured and a place to render them, but how do you navigate? The URL could arrive directly from the browser address bar. But most of the time you navigate as a result of some user action such as the click of an anchor tag.

Consider the following template:

<h1>Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/heroes" routerLinkActive="active">Heroes</a>
</nav>
<router-outlet></router-outlet>

The RouterLink directives on the anchor tags give the router control over those elements. The navigation paths are fixed, so you can assign a string to the routerLink (a "one-time" binding).

Had the navigation path been more dynamic, you could have bound to a template expression that returned an array of route link parameters (the link parameters array). The router resolves that array into a complete URL.

Active router links

The RouterLinkActive directive toggles css classes for active RouterLink bindings based on the current RouterState.

On each anchor tag, you see a property binding to the RouterLinkActive directive that look like routerLinkActive="...".

The template expression to the right of the equals (=) contains a space-delimited string of CSS classes that the Router will add when this link is active (and remove when the link is inactive). You set the RouterLinkActive directive to a string of classes such as [routerLinkActive]="'active fluffy'" or bind it to a component property that returns such a string.

Active route links cascade down through each level of the route tree, so parent and child router links can be active at the same time. To override this behavior, you can bind to the [routerLinkActiveOptions] input binding with the { exact: true } expression. By using { exact: true }, a given RouterLink will only be active if its URL is an exact match to the current URL.

Router state

After the end of each successful navigation lifecycle, the router builds a tree of ActivatedRoute objects that make up the current state of the router. You can access the current RouterState from anywhere in the application using the Router service and the routerState property.

Each ActivatedRoute in the RouterState provides methods to traverse up and down the route tree to get information from parent, child and sibling routes.

Activated route

The route path and parameters are available through an injected router service called the ActivatedRoute. It has a great deal of useful information including:

Property Description
url An Observable of the route path(s), represented as an array of strings for each part of the route path.
data An Observable that contains the data object provided for the route. Also contains any resolved values from the resolve guard.
paramMap An Observable that contains a map of the required and optional parameters specific to the route. The map supports retrieving single and multiple values from the same parameter.
queryParamMap An Observable that contains a map of the query parameters available to all routes. The map supports retrieving single and multiple values from the query parameter.
fragment An Observable of the URL fragment available to all routes.
outlet The name of the RouterOutlet used to render the route. For an unnamed outlet, the outlet name is primary.
routeConfig The route configuration used for the route that contains the origin path.
parent The route's parent ActivatedRoute when this route is a child route.
firstChild Contains the first ActivatedRoute in the list of this route's child routes.
children Contains all the child routes activated under the current route.

Two older properties are still available. They are less capable than their replacements, discouraged, and may be deprecated in a future Angular version.

params—An Observable that contains the required and optional parameters specific to the route. Use paramMap instead.

queryParams—An Observable that contains the query parameters available to all routes. Use queryParamMap instead.

Router events

During each navigation, the Router emits navigation events through the Router.events property. These events range from when the navigation starts and ends to many points in between. The full list of navigation events is displayed in the table below.

Router Event Description
NavigationStart An event triggered when navigation starts.
RouteConfigLoadStart An event triggered before the Router lazy loads a route configuration.
RouteConfigLoadEnd An event triggered after a route has been lazy loaded.
RoutesRecognized An event triggered when the Router parses the URL and the routes are recognized.
GuardsCheckStart An event triggered when the Router begins the Guards phase of routing.
ChildActivationStart An event triggered when the Router begins activating a route's children.
ActivationStart An event triggered when the Router begins activating a route.
GuardsCheckEnd An event triggered when the Router finishes the Guards phase of routing successfully.
ResolveStart An event triggered when the Router begins the Resolve phase of routing.
ResolveEnd An event triggered when the Router finishes the Resolve phase of routing successfuly.
ChildActivationEnd An event triggered when the Router finishes activating a route's children.
ActivationEnd An event triggered when the Router finishes activating a route.
NavigationEnd An event triggered when navigation ends successfully.
NavigationCancel An event triggered when navigation is canceled. This can happen when a Route Guard returns false during navigation, or redirects by returning a UrlTree.
NavigationError An event triggered when navigation fails due to an unexpected error.
Scroll An event that represents a scrolling event.

These events are logged to the console when the enableTracing option is enabled also. For an example of filtering router navigation events, visit the router section of the Observables in Angular guide.

Summary

The application has a configured router. The shell component has a RouterOutlet where it can display views produced by the router. It has RouterLinks that users can click to navigate via the router.

Here are the key Router terms and their meanings:

Router Part Meaning
Router Displays the application component for the active URL. Manages navigation from one component to the next.
RouterModule A separate NgModule that provides the necessary service providers and directives for navigating through application views.
Routes Defines an array of Routes, each mapping a URL path to a component.
Route Defines how the router should navigate to a component based on a URL pattern. Most routes consist of a path and a component type.
RouterOutlet The directive (<router-outlet>) that marks where the router displays a view.
RouterLink The directive for binding a clickable HTML element to a route. Clicking an element with a routerLink directive that is bound to a string or a link parameters array triggers a navigation.
RouterLinkActive The directive for adding/removing classes from an HTML element when an associated routerLink contained on or inside the element becomes active/inactive.
ActivatedRoute A service that is provided to each route component that contains route specific information such as route parameters, static data, resolve data, global query params, and the global fragment.
RouterState The current state of the router including a tree of the currently activated routes together with convenience methods for traversing the route tree.
Link parameters array An array that the router interprets as a routing instruction. You can bind that array to a RouterLink or pass the array as an argument to the Router.navigate method.
Routing component An Angular component with a RouterOutlet that displays views based on router navigations.

The sample application

This guide describes development of a multi-page routed sample application. Along the way, it highlights design decisions and describes key features of the router such as:

  • Organizing the application features into modules.
  • Navigating to a component (Heroes link to "Heroes List").
  • Including a route parameter (passing the Hero id while routing to the "Hero Detail").
  • Child routes (the Crisis Center has its own routes).
  • The CanActivate guard (checking route access).
  • The CanActivateChild guard (checking child route access).
  • The CanDeactivate guard (ask permission to discard unsaved changes).
  • The Resolve guard (pre-fetching route data).
  • Lazy loading feature modules.
  • The CanLoad guard (check before loading feature module assets).

The guide proceeds as a sequence of milestones as if you were building the app step-by-step. But, it is not a tutorial and it glosses over details of Angular application construction that are more thoroughly covered elsewhere in the documentation.

The full source for the final version of the app can be seen and downloaded from the live example.

The sample application in action

Imagine an application that helps the Hero Employment Agency run its business. Heroes need work and the agency finds crises for them to solve.

The application has three main feature areas:

  1. A Crisis Center for maintaining the list of crises for assignment to heroes.
  2. A Heroes area for maintaining the list of heroes employed by the agency.
  3. An Admin area to manage the list of crises and heroes.

Try it by clicking on this live example link.

Once the app warms up, you'll see a row of navigation buttons and the Heroes view with its list of heroes.

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAADhCAMAAADWI1hXAAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEXu7u7w7+/x8fHy8vL39/f19fX///7////t7e1gfYv09PTz8/P5+fn+/v74+Pj29vb7+/vx8PBde4lbeYfv7+/6+/v08/Jxi5eLn6lZd4Zee4ry8O/w8fHy8vJffIrv8PGZq7NrhpPk5+nx8vLU29/w8O+vvMTz8vHz8vJjY2Nkf4zCztTq7O5zhoWGm6X18u7p4dnCwcCNoart6+j+//+qo6Ctv83y7+6Inaijn5/y8eZ5kZ3n6uzL2OWsoZu/0dzN3+nw7urt8fPS0dDX6PDUxbO0sq/q5N3p6elPRj/U4uq7ydW0q6Tc3+H19/jh3tulo6V3kJvu6ODczbvl5eS4xs/h4d+iqLBeeoemnZnu5tjh6+7b5dXd4+a1v8SrqKO50+mqqamyp5+isMPMwLWOkpTh1cLMxrrS09Oot8fY1tWfo6ilrbS9vbyen6LHu6/o8PPx6+TX2ttVdYTAt6zs7+9bW1zix6nC3e7P5PPKzMzm7e/o6OTj1s6YmZ2yw9HZ0MeeqbvUyb2do664z9xPQ1Kfm5uKpreUpbDPzMja5OuvzNzCxsiZnqrp0bXg7/Lv7Oz47+7PvbCrtL3d1MvG096RsMKur6/e6e66sKjn4NL08e7y9vbk3NDAsqXE2uWNlZ2ltcDx9PRfgJWytriv0ObO19zf2dOxj3L39fOau9DU4+TKx8SuyOjz8uqBl6K8urZzsOdilrPs8/ePm6J6nLWfsLb+/f12wOn69O2flpJVY4SMtMv28OZ/mqnJ0Na6q56snpKj2O1kiqGUoqfItKr479lHUGGat8VveIWBpLdugoqisrz2//+8wsOUvOOy3+2HlqGEocChwtx0jZmEqsFxmLBZr+dltOdBQEhUU1Njv+pgk6/8/P3m9PySyemEaliCiZBaY3JmUkNzh5BNsOf6+vvv+f1vZ2Lq2cL25dHlzbGYjov//vH4+PaBtudYuumqx9rDpYdvjaxrWEoypOaCyetuhZp5kaX9+fSeiXjR29FlrOaJgX1lcX/2+fnuMFOkAAAVoUlEQVR42uyce1QTVxrAJ4kkEUSMjlQNZ8MCMSiRl0hQSAkSIAQ89UStFQoEZQUUebiAUFpMEQoStUAjoJQDWqwYnlneFbCy2YIUFNdTebgqgqDicX1b69E9e2dCeAYMR/tHcL6T3Pnu47tzf/N9986d4QSI9MEKhKFj6Bj6B4WuO3/OO8t83dF+1e9vHnHUqkYtq/k1Y84z763Nr0+PrksgvwchjLDPpD/tkcFcp6tnQR9h19V5e2t4cFr0+WToPQh5vrLbGfW3QGmlpaYVWU9pMaiOBWFa9DnKLmAYHlbGHcbXTTmkOcpu54wZEvw2kBGvaI+OYpLp2F7IWkqLeWTV5xiXx6uFjk8zcqCjGk9RwmOO9gDq8OP6h9+GzmQqk5mhk4dNxpjyoqZBJ088BY85U3SKRJ5SaUuDYJpXCp8C0CiuidRhZ1NE8hRzMV1BDCPp6j1cnCI3fBEmoucIa3Mg1sOmHAiHXiqQjijDqkr0Us+qOKRZjquYgfQNvoIDfNzItZ6ITkjIXD/qC9C61DWRMOoZddBpuWWOZMt8MZXM421gUnhGMG6zEWW1EROM0kBSlkfOtXcksL50oEBMyIiJt6zk0OlGIEcmG5FVopdcs2Cly5osWNlxVODCbAhVqEDBscjZTJZqdNgyvyyPClF45KzHYCgOeJ4DPe1TJhlSRuQk9MBkBB0MOAoH43gOZPJmMCDecGu10HOOZWrjCCJHSaW1b0pqoLwyM8ozMVcuXwKuOHW7VBtmHDzq5Gq9JLHB31Bux0+4nclztbYTl2YtMeSyVKPHeTvImtIednV1pD+U1fJRhd3VVRvnI+vqjGGpRCcEZIZlGlAD7QwrxQnyA+YntpYlCg4XuabIG/MoU6NTDi6xzsx2crVLaWS7JiZYG5o/pquNXrr2igVoqS16yfcqM8lPFPh6rxEfqycXgzOuixczIMhY26U1Lte8KF7q5CkVyLlI7nLRWilZZcBblDzv7Ox83lFyjcUe8JbdTL9Ui2MPpHZ2pF96ceUaS9hBVYm+LlToVcb1Mue45YsDqrwDrma7/PZlftGazKhIRWCrRIfdLuc5+Uk3tXpLPspbI3a56i1q/BanLjrLT6qPBJwoucKrjB9on+xBXyP+Kr/R1huG1n3zmIHUeTZWh9ib7c47E1YfIeeiOUf/RAY0RcAzHXiyJtlAbe1zjqyj7nWHRfpAyfPa2q5HqZ0DL7JxqtBpubdbCm4/3tm63iJLHNDyfULm9zsRdL9T/01InhrdQGQXrpOQHCnVbpDn+Yld6rUtK7lqozMCWtczzoS1oOgm53wO3nL0EweZ7IqvZ0CEyN9O4s9EXjmW6fOJ74YRdCRX5C/Mgaab6w9fcDk3s2Ud6a+b6tIGTg3EcIVNbA5f9ihHFTojsnH58o2toqrwOn8FesUwulZCcvgU6CcZ2pLGb88EJkfWazVUougnLS+j01AtdFgQnxlkVZanQA8N3pUPIicyea+flAHiqbIlaI89R9JotqfRR46iVyZKzM3KG402To0OVnhZk3Ag5tIjMvB6SSdQ0mQv2K+bSh5xLtWqQocF+cIzWl72jqHS4ttK9FYFeuBU6C+3HPLYHNriXCk+ftmj/K/sNeKMmaFDNEF5dRvb9PSW9YLl2ZYh1Y4UqzynPdW2yK2G7lZQfYJPoYhC2vgNF/kMUSK1+EScpLqNX3qIQ1GJTmE30SFWSUy6sPZFdk5JLIuFKFTezdomOK2k9qa3qhWeZvkdKGdZOboVtC1nSxyNT3usP76f55tdzGGc3h+lCp1+equh4depgoLqxCicc5uvOaeYLUk0cPP1xqm/pYFNTfUpEA3sXExhmqkpFTKmQAR9BjxaB+GRlICDaAwIDz76IIfHTbGloSNuzWFBVAsLFnKEchAFtrCwQFWcypsbbIp6kgLOZ0qhUSHwgcGEg/As5JwqtzQ0fSA42FSfgRclm1gle6OGio7URX/HPbzKjSw0843s2ywmbWRHxckKxCYOmvlGVvPRIQIam+qjf8BPbjX49/G8jh95jp5JfzojT/kLYPUs4OszeS8AzZv+LU2NntY7i96Ytyfq9zdnzLudBWpZ6V2f0XkGsXdzGDqGjqFj6Bg6ho6hY+gYOoaOoWPoGo5+5G4McrgHDkfurkAkWgpyqFbGRaq8zt9dccG2HWhP0NIVfcDC6ydQ6GGj0ej73IUgJd53P0Xa121otQcIn3Q/aUeQc1Dks7M3SCSXZ/9b7ny+ZyVQC5t9kfqLN0hDz/pCyl8lZdpoPjrpCIKeFKsMhaQYReFj0lB/FeLwof6n7aTCs+3DDQrP3kGioJmr2egxU6IPuUsB3g206Elz7Cg6sRCJB92hW7GajZ5iBeQ8il6NqIcqhtHrCptjH/T+oMAdcr9CKuy7iDQ41066595neK5Cw5e5fe7R6NrWfUqp9sWCGFBo+20e9F5V+PmX/npSYTe6zP0OLsbONz3dPb/yNRz91ILBwcXoMpcUA9TBebrA6zucA3ubOSTSg96ninZD/VJkhiP1i5HFjRgh+qm/OXZ2LnN1vWBCE5Xz+36ScHSu/+Ecrrgc/56d6MR77lU2APkKUvKgF6zpI+gN/VWKwlmATlSg52nrANFTrvCF3UJSTWFzcAXR8lWzELmlhSP1OoPEJ90pG3Q+edUcMwu8js51955oID0v24fRG5A9Tc3PK6JXRF9go5ciGm1gS/rj5+ie6J4+sUYvc3W77igOFeAb5IyIj42ikEgUBN0hEUE5KEIaCRT1QXGgLn2Xs0n7rHt8Gf2DEHFyERAbG1Wl2JMbho6hY+gYOoaOoWPoGDqGjqFj6Bg6hv6noGubTBQf9H3NrJKRX96ORfex/2zRePm7nT551oneZPQau6VzJ8gia31o1glddxL64o8WYugYOob+AaEvWzR37sJFHyL6Z//0/XXp1YILE9FpBOR3RMajv2A3QFQ8TKPMFvSFT2N/WVXF/erCX8aj0yX+JnQ44tgW2nBBacAWGhxRzk3woM0S9GVVLZ+varWVTERnuLyxxRt89WaHMQGP+rl0+y0OQbCNY2kCGxAIdBAVBIqmB/x/Pl+1tGqS1/Eu8VvjGGHbgt3KXVE/l3p+Yxgu2BYrMjOWZGUV4UHyI13D0f8B0FsnoRNcQjzZEVmRwbl/M/NR/FcFs+37I7bF/is4N/Rc4IHToT+KNvIpsxEd77Ijwzb3O5cduQfCcQp0x9z4vR/HZthmBJ902ht2+FDxNg+CZt/cfliyctnvlSsnrPDGADokzBGkW8NhOoruoR92eK0CHccLO/DFF1YmdM1Gn7tIcW+f6PWvGz4+nI16ffWnTGSZ8zCOOH8rNiN452Efye7i3amWa9kUDUdXuZvDbwrWzmg7ucn2eEG4pX8qCyqNPGqA3xnKddlvELhx41EKSLZEzdqNLAz9n72zj2kizeN4O5WVF1HbPndrC2mh7ZSktFjstVql5bW0oTSt0Bd5ablWQCilaKHJpSBYMD0xEIzYLbDCLZSF7J63El8TsgYMwZiTaNZT/9JcNjH+Zfz3crk/7maAc3WmbLzL/rEznW8eninMhOSTeabPM7/v8/weWmoq7X3enNT/Zv2BU1PhrYoaw1PohEG/ez05ojRQgtjcQi4Ho+6CPNKF5sCeRBFZQT5Wov17yaZXnxaHz6QsCAqdQicj+m+KBFhJf4H0Hb8uvUmEXlQgwYp1iHy92y48euYFDg8rzgHyjWmgTxrIprFJiA5T6BQ6hb6Jy2Mjhc1OQvQTa3cexR+KfRIsOuo5AQYgLzpv7Q8PZE9Dx/9Ux/4YvfRUNBvUFDbQSYvOfTrQKEuTcL5exaAfvf/DBEMeqcpiMBgACBlZyA9E26zIctdR44nLeW7+kYtBVy7P3pSrK2o6510NfdcKjYpT8yt8pMoPkuZZR92X5+YWdhoWPVQXrVdXdIm9HpX+rSswszGsjq77yj0DfBKh3w5aPs/lYdE1taNmdYXCPOw5KVeP1agr0heH1RUpraO9JEHnreVIbo9vbLTgGnz04KrDf7HH8XjypNwyhrR9JjztH2NMjTaQpV8/wU47wWGzubgGH82Qv/3BtKz5cgZFP6MtPtzj0hbDl8NkafA7jeaOVkchoe7WRLM/Ftuwu8egK01NvomzFrejCiY5+tbuEIYg3SoAhlQD8i8UVikdrYhF/v+gg+0K3Zxh8xewVRFtfEe9vnyI/uoYOynQExlP+RJOEjhPtL2JIrIiMU75e/aRTPupODyFTqEnMfpnc0KMsud2kU0Jv+bKcnKxklwgX+eWYFZFZk43i4sRJzmGNPupODyFTqEnm/GUxuYkpfEUP/SI+9eNWzwsOsTAr24BWP+BAIGLnzGevn4gexE48OcWFsZ4Gi4sfCz6mAzIVzDkdgFx0VlPz0/J4rlrOPSjdb7Oyv4SJmAw6LRsiAEBBiSsDc+hy9+QBgHQJU+gtLoka/MCYsbhXzbK2PFv7Th0pWbPPz3GDH3hiJPpbStcsV8LnW51DI844UvDhSMC5mLhSMPZZXGvHPmFTsxn/UajLC2t+8kprN2oHR9ZGpqoV4p7OiZWRwsjQyN1xa0trp6h3mZHyNM+5R+ZnF1ctk0pXchldKKi3w49+301Dt3XueTX6E7OHVw1Tg7sXVf9+7KqdajsO0+xwrrYE57uHzEJzniqLs9ePegxZhERnbs2/ij+0BV7hPfcUvbpwusqhnBdNZmfvm67iqCH+d9NGgc75qvDwXPuyLjBU9KjEn45M5BH3H4dP6HkqDIKwesna4dOn9EWv0cfbahRL9w//04XvjJ+c7rf6SnR5aAXEPKu72g8afst6tGqo5MdTePB9+gtbqUYbvbH3EPWakeTOHXGZ0UvkAIyodOsJrOpCAaXzKYg3VoE+pAiUFjtpiC4ZDdJrUEFcgIoTNJS9EiuMTwfhmHUd4K3NiLfKjAfddyQE/D2ie0j9fpCFOPpeJIYT3j03TZ2AuPpt8kwKXz33ZU7OVi5dqWTTHuoODyFTqEnMzq68wdGe8imu4nQr84eO47RsxyIbH0beJPAeNroZrMw6j6SHMbTM8qCoNAp9KRCZ21HqZIOnRe/LuHx4gUSPDr03nj60HDKJtg02Z2Np/jfHsi4LLTCRmkU5SHR1tR3oPC+X/BS6hUoBIAM6KynmikZ+0XFFBYd1Df5OtUDQRqfweTL1WN0PgOmAabw3lJVs5GBtAgITcIIEbnBS142yuL5X/wLiw7PtM9lTEVK8hZDIqHcMnbYGzJB+kC5yGz3bAhKy0OBILyIVARGR92X76cf9mE8N1AfKcmi0ezSwY5OZTGC3tyxZNG0tsyXa/O1DueMozMSPWt5rDZmExt97fr3WHT+VD+aQ3DuntZoGBw1W+x1UcPlcOvQzXtaTZcxyy6wV6sGR0V2JyAw+tpjGYuz5sIYT6AmosmiwebFZUdlbDzgDiz7KmPi2nDZGa2mx5bX7I5FVKVdEX8+n7jom6n2tqsPn3XmzGxZRn1kRRl9d1aM3vWSd+dUrVvoxvrlqm9mVIP56boLvYDA6IlHc0DvcSypVWW1/sqIEXnWdf7Kfs0Wum404PFV1s1Oq+ebbIS+6zsMZLMV3jYTnwaZ20zZCnOQiR77TLRL5iKFV1DTJuoz8fVtIj6NhOjIEA5CLSU+WqMFQk0m5AgAhBQm8pkPESC5JPX6QoUqtiTmsLEio/GUYBuM3W9sB45gVDC7j0Ey7Uq0+Qm5M+tRFgSFTqH/nD7bTzZl7k74DX+kAKPrG1mk69b37/60fp18xlMqI4HxlCTTiKgxPIVOof9kPJ1gs3lJaDxxn0l4xwoKsPPhaZtTXwG0U+gNkOCuf1svi4t8h15j0c2mIA0oAkWJGYFBSnzjqWpKdiNw6zUrDZ9qjy7U/ajJgjfDUHwmTAd0mAk2Q1agJtZA50NMQGB0Xu6NRtmLwIYIv+KpJQqVrrZo8sxeUxCUmgNWQZ/VHJAC2O515l3pX4D13oCUyEv8UPeFxUmw4qmpun1uusmvGfTP1w3kdXXElgdq+2PK2bJzlsoO0akW2zn/vLad6J7b7fm0v/Rg0ZUj7jGdS6kxOxXNYbm/4uCqqvZCWb3aqS2m6cJ6S6/ZZKgdLSKy8fQyJFs7bxvBr3haqF6pDCg10zG3Otw6dJpxWVV7ck6vXlh2xNw+s6VBXulWEhod7dd5XAmXh1vxpBl0jCuUbVpjSm14yj/2zQyCXqZXi+o06Wdd8o7e1fa5VoKj77DiqS5a/3bgnnphxldYNxrscSy9HUDRIxW6js6IsabO1jVU2PTVBJ186KVeQWm5AKlrhkNOb5G5vK3aphcBRVvvYe+1BT59ccVQjp4g4xg+m06DkAKAEKILazzi5o4qtIOHkDObk0kgADHohJ5Q8mmvL0B/LeQkWGbFX8p4+rWvUv+f0NGZ0ckQoErZYT78sY/17E4KRDKlZCYORv8OK8qCoNAp9CRBf3WXZEqInrmCW9J6wQWRrXNjvEqAbjvBYXNwE0pI169n4NGTJXEyZUFQ6BT6Njo3LY3H4iYjOjdXwo0ff43z3AAM/5R2ZWuLAEz2OfrmVcRF5z5vlMXPP8ZZEDSr3W53bofZU63oB8PH0SgrmmZPYZUSFZ31tKJe9nz48z/i9n3RdlRWRgb4aFaebLllLAsIu2xzWzcazc6Tfeb+gV461NxSwtzO2gMDYqHz/vGiUfZEL17Aoxczsqf7LxqkQFEktzjt0ox1m1XAp8F99iJYYbBb73+lgUo9LSV5fXZrMNVgQP5MNAuiUfb3ru4nzbh8c8UpKQj6ZDS9tl2/7Gjyne7qd6uLGecsbsfF1n53yON2zU071CVn1f/Z9LZ6Y9Pp8dldjEPL66DNXumSl/MxvB6+wc00VN3Hnis42X2X7bqklvxGp9rsMLupqvmZwb3VhaY94QUpcaYOy1U4gptDdtnPPuCtPsRi/bfuYu/QDIxLzezUsnzCC9aBvQ7M69yTMvNDuYNMtXdNnx6fHHzGqdBuqs+ymcvsHNw3JFp2hFh26Q/OE/fw1etawJodWMFxYib4woNmYj7271yTDSxnrJxXn2/mF2X5u82LY4p2cDLQ6w4p0yd72DkcyCxNaw4J6Jo9z2yoeR1Yo8vJyWFOPLUwyaSlOkwKXxOZ7P5mcnpe19EFPT6ZqvNy1kR6gza8RVbMelNfGOkwL6czaUuY5VD0Oo6Jp87VIgzmncuM15zLWGbc2Zmrory8yrCnmtF4Te5+eYP98sadXY5ruhw7ZwQZniuqCqmyUZ2iojosvM6gDCqulQVBtzUyiSgzMauCDtJlZgBd3yjNICINVsDMCCRFmJlVmUA73GUG5f6n0e7L6K0AI+kuCA4uLGNzTh0YN4AodnCJDDPAtR3rYLQfBuDhHW5gdAqCnR0AoRgD7lWMv8UAAAAASUVORK5CYII=|thumb|none|250x225px]]

Select one hero and the app takes you to a hero editing screen.

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAACiCAMAAABf7yCVAAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEX////W1tbX19fy8vL+/v7w7+/z8/Pu7u719fTt7e3z8vH+///18/P39/fv7/D9/f3y8fDx7+3///zx8fH7/Pzv8fGjsrnz/f9NTU36///Pz8/q7/H6+vpRUVH05M3l5eTa29r///7n6efNxbnq5d7m7fDj6u7v6uR9WUji7vP/+Oz/+/KMlp3b8PuQtdDGxcT08en99eOmwdfv6Nvr4tXl18OeoZ3Z5u2Upq1+kpz79u2dvM6trK7Ax8enpqK4rKbl3texq6Pz7eXc6+1+nLK3wcrA1+XVyb6zz+SWr8Da7PPHy8b/+OiRnJ+Yv9ncz8L//Pn///i/2+y1tLHz7+Hhy7edoqVbepL3/f/W08zbxq2Kqbrv1rbmy67a3uDm28/I3ebl9P3q8/SElKO9ysp6l6xyjqE+QUt9fHtUYXeFZUHS4Obi4+WdeG3Iz9TF3vR5k6bg1Mjx7enQ6PeEnKv49vK+taza5ufO4u+JpLJzcG3t9fi5u7ry2rtsXVeIgn/28u61opKKk5hOPUhcb4urzNuTtcm60d7SzMlJR0rx9vvs6ea40+Ps+/+twcmnnZqXl6h/orT7+PSuo6DDpYe3x8/s3sv779ybmpfV4+m2p57K5fS0y9e8wL1ER1yxxdF/jJR1irNwhpTAxMBTRDSIiInG1d6vusSzubzd2NFzlKqdpq+ttrphZGSfscXo07x9maWmy+aYnqF2aF25saNiaXDHvbDIzczP1dl7p8CmtL/n6+3V1NOenq/g4t6huMO41++Ldm9VRD+9zdj06tSOcU/t8O+phG2KoMGkg3lEWHWJsMpbgKBqVEPExL1HVWf138Ofxt/QspLOysRhUEB7iaLBsaKUk5/1+fvZvJfPuqONcFySj5KBY06Sr8xpb3r58dfCrZdPVFpvg66Xdll3WWeokInT2t2nusqlrKeer7mQpLhseIReUU2wj3eNpsby9PU9OzefmovQ2+Bod5qFcGPr7+pgVWO5vMSTcolNYoSCd4x/kWdWa3xqlYRYiY51Y0phAAAPGElEQVR42uybe1QTVx7Hp00mCYGEgZAAhldiAqIBEUJIzPIQwlMDAhbFqGB4L0iBgjxURASUgvQgIGoVWeyqUKwWn4BHfBxFixQf2GPrWnetfait1tWe7dk9PWfvTBIIhQDx0D+SzvePzJ3J/d35febe3+/euQEIwoULFy5cuHDhMg4RaZSZEo2o1a6dXqZWb+aRtpn5tMzstCwoJjMnymizNLJeluRRl4ik6ZvB5qPkjOmZ0EYtYPLMScsThn6WJqQRSyt9zEZBaCbTM6ET3+RGU2tkABL1faKM0Ugx0QOdojc62XwcOp2AIIiqSFVfQrRdozKov8NhwlOj0xHNxxugMzV3ZGjdiTAFOmGcVwx4cnQ6L1YsPsBGS8JnPmhlZsDHQSNGFnfE4vA9YxAs4jPhqdCR+E/YZGb7U9c3QUfuFGOOkD2OhGjuDGs7NRF64F8Sf/egLWL3MSdDp3vtDv8+XiC9ihBILtm9MJVEhXnZfPSIeXE65bJTbIoPTCeREDKdioDPQFEMQsa+J1BJsA702SkAPep4BExAKzIIJLUJGTvHWtOJHihqqwSVmCSPrkozAjBlAqdqsvkIMnK/cej0ZeXbsCYJ6rsgVItzmUzMYR3oyGmZEiF5pwRt9+3JDnbmbWQdYPOC+bwjLHQkMIWSEDOmh6iSFNDJOkQIaJrP2seMalX4uOxnNbEDfYN79sA60GU/m9Fy8yPy5rPqnJFZyZ0hLhtZ+9hw3kHWAT4CWrt8VRc60/v4xno2GFys5LiwgOT9Tw/FY071bs8+0qMecBOgC1B0OnDsAB+9S3Kw8/ZEIeowWwd6nigSPCUTLtzQ0XQntXBR+BlBZYKk0C98cXklg8wIzXEF96rpFQr6DiaFeLeFH5RsCyiXcv0Ui+XSZf+oTw6aGJ06O/Xw4cNPUlzX5yc/USj9U4O/91P4CqRli4qT46pc5NLPJeqxPB6dun7AS5JIyk2qi22rDW3riwV3ba1NuBu0N7XpicxZx4BXoQf6Fft2VTHXy5JFNwo/8MQcDkN0oO++hQ0QpCGStiunUBT+itubkFS4u+oV1xkbtyg60+x0fSH3ZLd3R1CBv9RDFJMgSeSGdpyX1xboivXZbU+fsrpSzpdXckFl/6p7USmuFO+Oc5Jabm7q2XJppqOzjl6nuwjCdja4L1zkTlsmCAuVrfUqj9l5MlKYFASu8ARFFpP0OjP3eARlV85bghjartQ9DZ7A4Z3+UsLE6B5+7magJSd2QyVpV46PME5yPCQhKSKhCxxhEK05ERZk+Hyhf6pYLK6KqudTT7rniWJC28Cp4nzXSBYa3+uyDVRKbv7brcVicX7ieilltkxJF+b4oufFe3Llknz10B2HzohqO57f2sEV3aJ6xIWFKpRe8qIyFfotEq9clcx09DojNF8JeyUtTipCvJJQ9HpXkn8Vc2J0xuyUCDNKbqoPhu7U6ePhX9+elNkZEbiomwmSYHklheCxO/J094aCUNCSGh08HFpCH0+uEx3EOprm8teUx9C8WD4AHTxEinfKOUkRTdj3Vo/SSzRAnRi9bJHi7Nn41n3+VZRl8mmjg16vLQAPO2dsr0+GTnfxy2/aKJESPgDoINaLz8RJ20GsK850ScHCjBEq6fONkwWBWN/fGuYtA+gDHqIBRxBSgqplk6GrMjwa66J6JRh0gSJVrNcnyxU18vDFgsqJY50pbK01Qwr8u9sldbHLMXRBUdneSBDrDQC9NUZXr5cXH+ms4wLH5FWEkViXTYJOpoMczDp01eJOIoNX54wlSF6wK0jHTVhmRNo7QYqGYZCTtzECmtiM7dsY7T2ZaD2Q4ffAOtDhdjBB0AOC+aD1H4KQ7YdgOk+T4UHGBxOIrgwPBxx2xT757ay64MyAy0oXX9BACO/XXuBiza+qGX88et5+FovVF6TK8DUHez5P8blzSHiADxym61rNgTkQnfvAYogOhiA2+WqOWC+QSOjaSj2vg3OQTMDsik2fowuocas5JmqO1ieg5gx03qFiU+yU8zqdRFaZgtmcCqMLQlUDVKwVKqxzNWdGIpEwx+mBcZ7nYxV8KoI6wEB0LmSNcA0Pt38sDveBp1zDG+PrC1jFUWHynxJ98jc3IsFkxsBNCEStHRD9TN9wB8FO39d8rY0ByIowY+gErf0ic5I+BDBFa2/LbtrbHDCNo7UvBOvrI0Q0nykRx2z66WU6drvwDzTDN2Nx4cKFCxcuXLhw4cKFy5DEod0zVf09hhUoq2U3UjRVV1tKo9mq/25DLez9z05z2RA190qbNXrcNBwJLblvY4/KphtacB8rPWorwip9ccLe/uEPoCLn2E/YF/ZDFyBowZZSe/sfLxss+l+XY+irPnKHlsyp8J0PdDATWjDn9RonJ6eTw/91g6Dm+4+SzsZ/Z7N8LQSt3lqMVpnvq4TmPm6R+67/Jc3TKNC/0VxeMOdv6MFy5dZIKLp/6F3Q35xjw9/YAvQwdRXi6upPwWHe48/WGjb6JhW66Sg6Vrz50QC06dLXqouNLe9qoUO302LQw8pT7xkqegUfBlqNob++ipbpViO93pgWhhGjMr0JnsHqrZ5oFfhnU+jmcEaPMw0y4DSXZoPpJUB/oCq3xAD0DJEozm9zdY615fPP3FR1mwdToNWXqtEq1RVgrLxTmlZ9VHDZ1GBj/bczs4D+hfb6gwq0OCt7A0AfSk8vfZmxzRYC6KpgJv5zsAP0+jO0yplXYFLjFIT+u+RSmszaYGN9hVasA0AikaNOcwu3PALZm9PYog5mh0svVLGute0czetP+9QoMrztmDQ37zEY+8RVIMur89oFrTQX/fwZVrt5uNvYJjc0hB2GK3ag0xe2sHEYvGGthW7Z3/IhNl4uRRoDOraOcXLKstVMbo0vBwDzg6EeZ94XgxkR6JLmE6zK22zwKIbE2e17ByvWGgG6OsNXV+zQoC94MAS6tvk7sGI9mu8KLqgzvE01mOt3Xf+p2uaRJMJAM7ylCxtj3On4Pig7YsrqtbWsYau+L8t6H53SyxyzNkCqeuo64NTUNM8xi/0nfOXD33px4cKFCxcuXLhw4cKFCxcuXLhmTnnssl7TvCx0L56T5zzFj+V2mh9adnJpNfcMnNyyP3VLhW0/9kPx3CuaX5h06JhM82g2HU0uvWDg6JznOVte2/ZXdwCoTYMouiUN+0cBS5opxxwyh5aq/sfCDhzMb98A3Y59f9MY0G8rvpJB6/730A3iNG7OcIPeSS851bcCcrh4qvWiNPp6XPrR/B3QvC0lJc+sHR603LU+ll5yNHxFc3rmxfcMPdYXKguU0euK192ClmyOzXBzKPXsXfmfD5f8co371Vb36CsVmQknIqHGHwuFF18sbVzObi6V9kaVXrCssTJZYQypLnrdi9t3bVfdPZbhtnANtNTh2wurMkBX3/86+kokBF2/tuRbTzL59m87vrwBod8LT9wymiwfve6aw8O1je43M9w4K/++uaQl5sv/t3euMW1VcQA/QFuotUPKWFMyy9piF2hYgYKYeimvFAZ10q5rVxoG60y0hJdsEZsCq5glGgJrswfjsekHUyB2gBuhsAhkaIOZGmIk8hoJoPLYhDgximzL5rnAOjUpGh1u3Ht+Tfqhtx/66//+z+Oee8//IMz9z6D6JcC69uPUYqfZ3HHCMPYlA2gsFvOzl4ikrio8aWmsyIvIXp4XRs1cPXSCDT99oB61XM1kMm8xYNQrWm+mSK8TSh1Md37DrsgzfH2bDfTv7Z+a2QtqF/esqcP/5UMO78yrbKg+BjPh0CKx1L/6ZA/I/jzC1dFpnIAN23ir0bgcva4OXP2T5slUUHv89dBfOo128xeEUeeFPgeUu8pgG6YDkcFzOolQWrC759f+aFZi2epBIOoJPgL7+phujjSrm50sJPDw1nV8L83zTWEUCoHVVXqzebKalJMaBkVJ0wEEAoFAIBAIBAKBQCAeK+d+w2/6VgrcS06stAwAYjEMayK4OYU7gj/DoGpofGCeaS8GrOGLXj1CokedazOAGPEcVPfHl1FVAm1dMQhPMjEIf77zuLaa2svxzoljL8nicHXvgcpiELXkkO0wED/qZcPVINzaqFxfMBdB9WR13FPDbRzCR/3IaRNQunMdnKpce4KVqzUQP+rT1UBkdavjUZfIOSDWwSZ61Edgrgc77Y0icZg76ges8izrO4Tv1+NHQW65eMggGlxTV6bBLj75Qnk+0dv4dT8G5c8rKjz3EQSCUCjxHRf8mRuc3o+wFNLflR76f3O9/W04W3H11nj+ip/YazNRPLaot1vSdcBl20A9cNem/oDgx6auccAOHKpHlmKyTxmZLWptkVN2UscqkcnO6pR9Vbi6tEsHuN0Mwqm35Y4YXDa25n1aTF2Efl9K7ESqxGriauOSG1JFScegek72aybW93l/XXRW3YjY6uqU8TaJrYYVmeWE6vNgqpfNSjDpX+jxGk5fDXRgTkXn/Lnrd5jTxvOscXtd35I9fbvGEs396eV2yw+jW1mdE2W90MvWaOOHrBH6aFxdlZDvdCgU4rXrNFD9I5tgYiWgefp+zJ3EDkXrm8aiha7+pruN+sGZ4i2rzoPqINZuK6u8CiR1bnVT+00OcJ5f3YUFnvBXziwMrsTYl+5nfgcKFfe22z/41m75+W7G7L4trA406Rygmn6FrbmsxuqK19UbDotKbyQ5wsJPr+X6lbHbtSuxC5UHI68936G4t9NyeFY7Iux/sdDRsX/rqkvxrSqk+OYUBVUBVW+VASWdwQsYBaqQgiqwevkCtvBh0o9PhYCSOeEb7w72ZxRQQtjhg/VAUn+gKLRq66o/HLR57Ne9H35HOmv848UbCvjvt5E9AeqehzTBNDe3nqYzaY+WridYfaf3ZuLVh+ZRCAQCgUAgEIh/N2/xCMHF/f2oHvEjtDyFRv9H9QEJyMZ1/6gUEqj7+Pi46wZuCyST+lFBeXnTNl+8/CE1KLGISiL13Un5uVhYAB8mPj8os/kZOonUG+TO5gGBeodQgDUPtQiaqCRSL8rC4rLE2h4shZ85MR9EoqgnxEmx7qSuVfU0TF1PnqgfTbiolvNLW7CcNKxlSF4iDyJP50bn8wfgG97M0X3xF3nUfamkHdKQcDS3YclsOpPI5sCfGegRJtGnrQgEAoFAEIffAWKZAvfK6e2eAAAAAElFTkSuQmCC|thumb|none|250x162px]]

Alter the name. Click the "Back" button and the app returns to the heroes list which displays the changed hero name. Notice that the name change took effect immediately.

Had you clicked the browser's back button instead of the "Back" button, the app would have returned you to the heroes list as well. Angular app navigation updates the browser history as normal web navigation does.

Now click the Crisis Center link for a list of ongoing crises.

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAADRCAMAAADSWV/6AAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEXu7u7z8vLv7+/x8fBgfYvz8/Px8fH////t7e39/f318/L5+flaeIfx8e/x7+7v8PHw8PHz8e+8xstdeoje5Ojl5OVZeIb8/Pz///7x8fP29fWcrbXu7u/p6erx8/P28u6rq6vt6+ry8O+urq708vDr6ebq7O3y8Orw7OXj4+OKn6ns5dvDw8T39/by6t1OTlDC0N3i2Mnr7vDl7O2op6fT3ujv7eygrsDm3NDo5ubz9vWgoKWroJqkqrWjoZ+yo5mkm5nq6OCcnKHCsqfNvKzV4+za5uymqazY6e+epbKwvcq8yNKcoKv17+PK3Oa+zdvl7PLf6O2knqHg6/Ht8vL+9OO1p53k6OuhnJ6jpKiXlJaXpLDPv7Gls8bVxLL8///A2erT2Nqrr7Vde4zL2OKqo5+7qp7n4ttyV0fLzM3a3+K0xdWlpKTf4N7JuKbv9faFl6Lq49Ofpa3b3Nvc0MO4s67LwLXHuq6dqLrj08GRlp21ws7c1MtYWFnUzsa7t7OvpaHe1cW3y9jVyrvr8PKMoq6rusjP5PHd2NDZzb+uucLg29b/+/SWmqSAoLnl4NS1q6PD1eGvyt2+vLy6z+PL1tykr72Vnqq7r6bl8PGotsPavJvt38/N2+zy9PTBr6HTxLj//vqemJqelZK3u8DD4PB9l7CYmJzBt621vsfby7ixtLqpus6swtXOxrvN4uzy/P7BzNWGosG2rqqOjpLU2+L3/f9ORUNjsOZeYGKvzuhPrOfZ6PX79O7Eu7Tp28no8vViUET87tlLRVb/++vFwb3LyMR7ZU/27e3a3+rm9Pys3O2dvNR0v+nCyc7s+v/U0c2vqqbUv6nJ0tWms77ixqZ4kJ9APT9rlbNmfJrFzunT1uqVtcl0tOc/qeeHzOtmvuqom5Pt1rhETFyc0+vx5tRYuOqJr8ZtbnFkgJCIuedlhZ9sjafQ6fqPdF54iIptgYmZwuiOrb5Tc4LBpIX25s5od4OliGefg2VIVWeekopvaGBMYHaPgnenj3hXbIcQm3tMAAAgAElEQVR42uyZe1BT2RnAby5DwmO4JDvJGHl4NVODQTALKMrO1B3/SMxsK5UBymyzleyurYil3rFs20GhK4iImw0rtaMsuiszTXSqGEsreUlHRCUIEe0WUkhIUkBYg9LC+KyvnnNveJpgaJkx3b3fMDfn3O9859zf+b7znXMvCOtbKwiNTqPT6N8edH44g7kAEsWf6ndRsN9mwYumzEKj/BwqdH5DhfN9oIeHIAshIcGTAyxC52GGTnEE+/kkIYzJofhsP2xCwn2gM5EFkkmGqPlMZkji5Iz5bzMZKv75jf0qdIwj8BQw8gfFplljHGy+6GgEuES+KgJCol5GZ6Mzf2cWvaCjQbN6jWHPB92codBS0JIMsrscyaQtapYoJJwZnacKX4GOpnHBhcdF549ewCWfAxXlTBijBTnoHOjL82d5f1m+0H90s1Fv0VuSMQwz97XjmACL6LUko9RcoMvceotpEEPIOgav5jEFhwoPzBMks9GZZ1VZCOOonRnDBj5BUeA3dhAKHRJE+gn1hR658s8NWbAdvrQ+DGWzYdu4P5Uy0SmbWejMvZoa8jnJ2ABX5rbvywToZKTMjc7pNcnwVL0Ty5BKM1IEOdoMgVCKpmpJz5vdrmS8zaHGU7UyAZIj1Eo5y/TOZI5UK8SEKdIMr+hBAD0i+Kh9CVaQn4zGphVwBaJ8YQRKViN4+R43vozOPBtPaAVoagFvaX1qrCgf5eULMV7OclBMRudCZy/P5wYhQbz82JwQkTAttmAi4uZGN+udTYhgjaLN1Demb+/V95nUvUNCd5/eAvwaa1IDF/dKYvv0+kGzu6/P1N7mGJIZ9XpXis2kH8S8e13DFfFu2uM+io+376vsPlJ6hThSLgHVT+01JfFyIj3CK3pM3PrqzzoYoN0uorqMkBPRuwh7xMfVlYS8aFyI+kZnV316hKheUgjaqbYR0pvlcqI0yB900yCOIALc5pCZ9e1ui1mh7R2yOSpijSkI1uaQAToOPubCeSYJmCSjC6wKnqmiye20OVJSvXqdcfY2QRD/7CjUZKxYX12pyVxHpONHh6nq23bkRjrqFZ29jsgEKEmazFVF1Sc0mYXdkmOE7OPqP9zJXEloMZ/oaNz6jiVJmvyiw/hRiL7e/gVccq9ER816iI6E2IZqALrNZHJm9g6FuB2udgzBuI4KMKQwtc9hsTja+9qbeocAeq/DZTG5bC4M8bXWU2JDjnb8pTs6muioHN9ZpspaXKg6RVYPEN2fc72jB/1q5PMPbiu2DC/Gl1afGN+ZVH7xVjxEH1684qRC4Bt9ZZGWs4l4I14WtldVRUh/ZowqLK/xx+vAo4Imo4VCV0jW6F29Q22KHKNDzYHz0iQw9w26nVLJmGQC3WaqkBrbbS4U8bnW0WCAruKKEg6Vje8s0VyMKlOR1Te35x84Ocz0hh6z4uT4wYMnh8tUS/DV1SfsAL3Gg561osgn+kVGMNBGrSK2ExVRlRR6WGV5DfZqdIxnch43mtohuql9zCVxWwC6qf24SSsAOdAxeHzMIes1KYymDA+6M0fvPG4atA2hyJwZvoooLelWlI1nrSr68Y2ierJ66LPxX9y0e0Vn7+3ODItK6v5dUf3Vf1Fer7lFyH4yN3r3965f555Svf+RSnhz/P0fQfT1AF3jD3qMgOu2WNR4mzPZPKZOHbM4U2zOCJvFooDGHJvb5ZQJsMMWixaocZsTO+7Sct2uQUHboC+v79mfhTCvli45EC0Hl92R7KqN0TuSgw5ER5cyN5yW70/xGvBYyTv7gOs/SP/ku9F/27pnR1bVO/tWHcy8ciipPnLZae9rnV21Sy6X/yDut/K10qANp6OXNmw4nXMlnXlgf41fRxoBjuMcBAUrHsdQUMYwHN7jTCrJTAeu4FxHqkADHAfHPF+nOfZ3oEMECJvBCEIiQa6NZDAYCFVFQRHzvrmxGdATDAy0Y0REwqbwjxkRCQaasHnpNBfGYIRFxAAL9oqNpQWrO5jAAgMD+nmQfU1n+KiFPcOje3bJz6Sg8zvDfzPQETaTycCQbyX6PN7cXu/7OjL1vs73+32dOc/39USfX2mYC/KVZtqnk3l89/kvvtKwp9v8T19p6M+SNDqNTqPT6DQ6jU6j0+g0Oo1Oo9Po/w/oSp5oJ/xNTBMB4cFy3XLyThOPrLGUaefgC+4yUU7jtA6UaaJ9ZKs0HhRQ8Zix4vaxcBGPknNKjzoZqHlwBGGgoCt/+qS42FDeyWLV6oqBiA1nclnZeQ1QYxCLDXJA3S82sljHnonF4gdvTpjXfQnt4q9BOzEpGtalvBfX4Bw97GHdAzfg/WJ1l0d9Jze7VUyO0H0tINCVDwfWbo77efPIOVZtiyIq+K2qRwMKCv1ei/z8J2/rVLkkenbrizdEJaMDag/584FfZ+DvNd/uZNWKS6EzRZsBurUBoj/qycVFonV5I+BuY5d4B+nsFNCr6q3gL+K+1GlyAwA9tLblMPyttVYD9ApYvNTcQKJfbtXA6r2BuyR6VwuEzs67Q30b+quuHv52WTuA3V1Pl5fyisG8QXS4MC63/h227BJ7ZouaUBgUTzsDAF052kN6oOk30tnoytYeGJi33s0k0ft1HbDle/vJ9nWjL86R9qfWzEBfO/qicyY6q0t8dyY66+HTawGAfqlZNXmjtkUdHr5o0/OJgK/VPS76fQbUQPTLo9YHG/94bpJCM2Wni18NZKMM9Fbfrxueja4joPpdCewVDBC+JTAC/n7z8OSNLjLNFX+9w5Pm+JXPmq3iB+meNNf0wydWa3E5Faszpkz3NSkKcLcDLBD1bHQDqT7M8qQ5Q3wnKyC83jDN67sLQB5TTAvNuAP/aH5cQaGDKE/75TPrncaXvN5SwQcSyifRs1s/bHw4M+DVHnV2XncBlTcDAV3ZOkI+iPL5GWrNXh59fIFC37SdjO5jIC4AOn/PeTJFwaxHrvUPySmo+7d9+loH6MDL9tnoM9Z6rdUeGPv6vQEyt/Xr7FSa4x9rHmkkH7JfV009L4nO8qTlWgqdD3ZCuEHc1zXMRgfb3pM5Mnyu8hE15GtHz259eqixrhCeRagMz79nrac2t9HHuzcnbnvuCfh+Xc/5nZyyPCrggfZpaWNdUutTaKdOhBJOocPdfWSG1xWkOjHXs4zuN/c0BsRp7tYzscEgvn2BNbG5Zbc+vgAOHyzWJnB8M4gNwPf9ViOLv+WJeNpJjA+0hifiBzIQANZiA5DiB50UOtjsKa/nUV6fUF8je4WRZu0IjDM8vyohYQ0sbNpOncBXJmyuK2kjS1cTvoILvmn7RZgP9iQktLGm/sW08krCVpgoVl1NIOWrRmVJJpkASs7D+3U3qG496utALSUNm65uzQ0IdD8k1Jdi6v9ZMInP1QWffmml0Wl0Gp1Gp9FpdBqdRqfRaXQanUan0RcCnR/6zRX+TPTw69HT5T/snetPGtkCwMczOnHZIrNFvdGCxaI8FiWAglgQARFWtL7aFFQ0q0WNImwUn9UotS7rI2y1vrpGsQGz+OzG1H7bdJub2MQvjV2bzX7YL3686Sbb3PsP3Dn4xt6725tavZUTwwxnzjnMz3OGOXN+M4eyyvd2v/TZC/inh9E/uRR94XD418UQ5CMOfzuEnvKP0CMh+qNGhw9176NHUoPoQfQg+nlCp1LPK/qFX5+/uRWIjqE4hv3Jgzw0DMcx9NgTPXhgDAUDOIrQUDiPAw7OEDr1+x///kcAOuA8ljUoBg3/dT8Bz9HQIFulBXQdhFXfBZDXtuh0ghuNVQahmc8Ug7ODfuv73+4dQ+d7O+39N9tFsOrh40NEDWNYCICvAPGvEkiNvi17t08MKx4DlJCdlEBlF2FHkvGUndYuj4BjB7b7bLsB7G1ET7/BU399C7pyJCyG5/mhu4c53sxkDKZEPGTM9WSzHzGqxOz1dWaVFhDo6uvJ15T50oU+zuhGcw9za3SdMVgonUtcH2UMGsjdjKUeMxnBbGlxeNhDPW+uf3uycnSD3cqoirxCFLoKzio6CjhygWaycogxPiQXNOdVtq7NVORVPpyMlLfba8opBLpXx1S29zXn3LhWPaNxVVq9U0Nyy5081faUXW75Sb11d20MpbEze4lLA4BNu7izyzyj2JRR35pRaxy/k1EETh+98T+hF5icbrJqc1TZO2u5ypGbb46R2HKBYyR2sR2ie15sPjeO3Mm4cc0xY3J+xTdmx2qWhXkqxUyyabDN6WZnQnQ5RKe4p10G2/1rxZXywbr10nGHbtVw+rUe+rrsTehxdAzjK/NNevc95dJzeW9NbxzHYc78MiQis8BhDttBV18Pi7Wl7aLr41TF2QmacgK9+pswzdS8Pu5KzRiKYFnOOIBJL0rVBDqfQF9KShrdGFp3uMSnXuuh1OjQ4+iC+MS2smdt+quLk4X87d6KNJGwdMZWLpKq6w/Q6+mqzBVh3nVp6YwmEH0gJ6XRS6DjQp85XJVZ3kjU+grf+GRW7xY2dcmKONsj6KmjH+/NUfhyn8LTJCa1LsTxHCVMxwrnQUlq6Qx/uESRy365h+5VKzwTRZwHMoZMbOqMU6VqE0xOYZPqZXaYaQqZl6WWQjowYNQpBgun8wyL6q0GMXFKNBZEtMlSX6WAM4iOIPCuZhYZodMREM+lS+j9W1FDRi0azzVQJHQWEk+HszLBRKIIIImix4fDGHo4kYFYIZbxrKGtqNpiMZyFBk3kRlGAhB5OJKSHU2AZIILIeQaO9behAxjgYmcVExoZDRYashNJdOTAXqK9xe4GuOZf4lKFrlov2kuH7G4F++/A6Xdp/trlC55u5VLe6aMoiVYu7dS6rX+Cbgh9hys38M69bziH1lm9fPn062Njc+Efb4CTHhyMyLoHvz4cPh9PDvtYQ4h/fgXk/+NGr6B9CaIH0U8O/dw6t0vnybldOEfODQSdW1BBBNGD6OcPner/O5fov9VtqanHRmkwFEMR2pETPY4CgO8NJR67fAfQwOFvNXA0OEKHAaK43amt0SPZiWzExoCJ1Sng5NFf5/7xbb/fNx5CB7wWWYkAUzG1+3tAY7eVMJkNuTsR5KerR8dTQeJTHaPqCQj0cnUihCKtSsGlCvMVTktlzwZA8J9eiboORqJBV6osYyPhbsHhAsl3O9EP0OCjv5UGoNPYN6fs3R4zz5ONoYCoepxMxGU6udzu0nxo1FBgjaT4vdmOQkMA5+aremurSwvfgpBdS4dizRk3EArP80OCaU3vnlbbG7JJUMuxa8Y+g/lh9TZ6Vu1tkym25dgQf3F+tUeylccRBe1ou5ND/z37JfX4OHxscmsuz/iFcGlzrhAbyMWJf4clNuby9n12K5Oxij4al871MFYpvBYGNLLY4mQhikf0pzTPMc1EXKdI8ojJyOUMr/lzFlx+MJrxrDlDVb3EGEyRLnR5c7T3HjNgE8I6XNeT2Y/FmowWhhmrbWFWiTmjLXPz5ZfnCzhPGUuR4MTQqb/nP74Q+DVHNpWWzNXH8IxbxQK+J5/tKEAJgEGr9ZFLK6yqb1Znz3Z2rK12+7Sz5dbHAhQhZzlv0LCYWNLPrnGuo9M6bJFmPOnyiO/mRRJ0GqeqxFqs1Sxf235ll1s6JtMzLTxF7lA10ciJ9uLTvTAkaG6Pt+Z917ZgtbWrvHpr21Rbe6Gm3TrfSTm5Y/2bR7/8EogOSEOj8jWByrvmdF/JWmksuR5BoLtavJNiFOF29/jEs5aOnD62PF/jmoO/S0B+oI/jPGUyxRXlydLSi3VZZSLV5mhp/h2iwSN4R9rABJgtqBnhF4uTf14W5sXXfNnhe1E33E5wxbC7W7wurcaZ3Fj8o2To+XC7qjibpFm7rSUt+pYqWSfW4KmvJy5NNL0JsC+1Sc9IIRVltV6mTBtyJ6fVicHjv9Ndq+wNG1DPrashelqfRD6i6m4ptaAIZmrvk2zWbd+vWHYLSy8mred2GeeSlAR6n/8mhJbOqw8ZuiJ+gzgMuikCfcCXlDT6goLgzVtXQziZFs2ye1qmzWpKmifQtQmaSYc+JHGzxztFO7ljPTr6QmCDBzxvLj3RVs4zamfT+jjVvnyyHx3DFm8TTZyA20evKSBp2jEihzKXBWq3xyqW43jGfJLGOT/x1T2i1nP64Ldmze38MKl34tkB+ti0OvuzrBUMiVl0PWHVygV+dLt35LKtDKLblht9YpvevTj5nizNX+3Nkbvkak9GJK/4C57STNJMFkYQ+z/ciQF2zVS/UVdVPJ5l6XjVJ3GMCBWpJWYczts93JAqW2BVLGNgQJHatCGV65jVY41KeKxiJlcK4Gxb4vip4jDTsjBHZJKJHyoacoqIk72k1aP2LVA0K+7GEq1JzWDmWFOJWnfGaiZqq3UNgpM71t/ekcXioRSTpIeDRHpEm8XftUlkwZ8FiQKJXFY8i87yWzYWnsil+zsyFEkUl45FwFgijgX8yeggPQqeLP2ODuaHOo4eT6dJolhoOtf/Iw80ND3KQAF0OiKhi5CoKCKNX94Rn06L5xpw5AOjH3gyCmc4r2hXne287Do2GjjwaP7OwL6l23druy7uIOtOBiIn7XDOA70HC9mVdv404P2puf/l8kXCNZwhdfZhnRv4GMiDzu3AuX1+JASdW9C+BNGD6EHnFnRuQecWdG5BBRFED6IH0c+2c7tFvXU+0W/9c2v19rHn3KAIwzH4KNOh3DR0T6+Bw0rt3+ydW0waex7HYSiTxq0M26NNDgdbLKIY1HBRLoKIILQDVBSNogJbLJegaFdA8ULES7fHS1hlXZGaFo2aKLXaGPXtxPalJs1umt6y2X1ssicnJ7vJ7tM+NNlk5z9o6y27WY/tw6k8QGZg/r/5MH9gnI/f//+YP+731NoxswcfEm7Jy2FYMdKBlQi2Zv//2GKFfmJE7hj0Hwc3f+j712F0SvAVo1DHz9yo2Fcw041fqaLypLvGjM52Vx6aP25ISyLQc7anSASEt1JJoY5oD747iGtFsDx14P2A2Cqpx1NfsW8lZUju8XiaqvemaINc7prOKeppd/hLf48sHzatsF/5pnVYtgr56qh7ATeYyjHi6KmqhlUYl23wE29l0ouBQBwVuDhXMwQTr0wYMPRufSUFtnbBVCIubYFig+C4y1g9lgYycGCWQly7QWxZr89mqwMSDlTC3oKrbY02m83H3yseHykpdhrIP0XAHe/cVncOKQg6W2YgU2HXVua2moNbsGd5zJW6uc2ZbIiAcIw70mqSC8i2ts1ePsi+Ze2EmEU8JmMd9uuy/IzFQhwdfZpCs3aRxRuMdQQouIt89jZzsl7wbCs42cGYQso6mJOLfAy99GY+jQyxthkrVaxQx6gAutr2Np9GI1PGNphNGvZkaKW/h6tqYjY9h04V/U8X/pb2j4OmFbmvVFMQYpzGelcR0LYGutjvRL5S7fi8nY71iKEuoYx7JTbq2uB2658P6bfWvILZRtuwaT2oiLwWtZu4fQ1cgN5wjclUiMoU68MOrrhka3i+yIz6VGFBqcHa82Zuum52xlc6jaPrmYwEXxX1qUSu973N57Gj3sNkMHTsDV2r827ZgtbXiQpmp22qLuQ00f9Swfzjy0OSGRErr5OCTGaCJavIGdt5hbIc9nyrpQx0eCCb02e74mZlohl5glY6o+6dBruqJd/89nZK+Vur5aEonpPs8MoXbndM1N3jdteKatJfTjZM9UdoYqmgljsXvV0gDSrVtAH9PYB+96Xb9r1STeaYbMbrvwQdXu92u7cQ1vAzGVZWTRuJFjtb8nl6wema1rfRYyJ+9pRxd2BaIqto8+aF0DLHA7JVhKPjQSdFjxqXbRh6aTQvb7FZpSsOzNQQzVGrxSoi58R2OzwR2+phOC9vch0oONOUwx53eQD6aE2BqU+qIfO8OPrNFPjr+0oNkSOfcoCZoLEOX0wkwuzakrzYTJlRQx4qiTsN8VNGP/fVpQtHftdJZm8aXViOob9RRLICjbvoJg0ExCL/PLs0ETOklIvE3so2y+12qUali/unNezaFquFp9RwFj5+zYnESk1OTBf4Big41QwyFAboMxi6zWFIbZsG6LKbV8F9C3VE32pMokezMzKyxQ2Pc5yiJPrtT4B+3NkcJOyUM+TX7Jn9FcCCeXNfFZGtFmFtVIAdIgMMfW1Fg3JGvb1ANpo7UW/qJS3rYGFA6olWWi1ZndLCJfyzjuLoWWtyR0lVUsFx+uuNesEEftSN6ifyQjl6Bxh2MPUwVewplNo5hTh6+aZcbvI2q6TMV6KyQg0sVuhU3M+Cjp14sHLT+SSCJFu4Z8EyM6DM9PMEoQRMlymU0IFsg1jpiBCk2FjZhGR2LSMDPGYAK46LNmwrSJLL31VwSGZuRgYB93VCSaa7WWIWgcsjElyi4/pOmIHPxsnCZw/JFubWJYsTJOlYiUzJZzmH35Nu+y3YnocjfPBh0MfHvVTcB5lG/7hun4JLNgdWUAJSZv3WhyYJH1J0hN1X48XpePHkc3Tos6B/+htd2Oo7NZH6aZzbp2OnfsahK86c2/HO7ddTtC/Wuf3spduZfTlDP0M/c25nzu1nefvFmXM7UxBn6GfoXyD6l+rczp27NSg/bF/oMPw/x5akUwkI9ahuO2TY8EYOjigIUY+m2Kj76x2fcdv1e/TDwxNC1BOjX/jhV7UXDo8tGZN6PE3/NWxEZ7v5Q4mafbsw9uaIICDxTHYSPWc5mv2xKXqZG1rrrTmw9+CSpmelKjW50ZrumIwb4lq5h+/ahO7AmRdpJFFz4uvw9sdH0AsWEj6bs4tPBDE34NTw6Bq8N9Ikft+u57uakb2RJ4kkYufoZfAEBWgzajLEBg/92wIjnPe/yaaCBggI1iDMQ+/s2xBvXVhq8dlijQIKaIgUuHsZd3JYN4Bgwm6cLi6W3sNt4PvGSgg0BKfiUTrI5QMLpBOg3/pd4V+PoivstPzucO5kx6gEZM1gTohxkbC22NQ8wmT08rGl0brAZu9LHWdyEltmg+gbRxa2s0OMxWr2dmjRF2IkBAB9vv46cUiB8jkdjASfNN7B0AmXN3V96+3Yhjp+cshKCobeQoNvKLjEPkaTPSWgFYIGc0JbsGtRMMBkTsEsIOvugRhNLFEaISHijaZtAx6lqwm+GJsEibv/G/2rP28lrvv/eQRd1zpWailb6G1VlfiW0Yza0WHZuvObreFrU8PzFaqZ1g0DL5xmjrZv9g7P2wdKmvuU6uVoxsSML2YpWLg7NqEd24ikYujXXkWudIRQVr92bKK3wKEbc3D902mBmSebF4PzRQ/1tsDmAxw9i0ByrvKktj6pplM70LTlD2tmHxVbRTzlVFCqLi/xxabvgUCS6bpZVMOR9QbfP+KBKJ3aHA1u6vxLRakn+Jr78Q+zR9KN75Y89Yk6rM4NUxG5QOk2fpcy5osZUiiSl5MLEXN4sRlp994xv22XVtOcgyRXX2hJ3an9PlxFvq9sdTy4sixNgPgbPFQyZ+Ew+1CQfeto7Ft64XaKxGhN4O4TfWVKLdc5WFyg2EOHnattqHtn3tCpJeW6Qz3PefrsiUi53u1+p3VU0Higw8PW6bSRHo3f+5TW9gjGyjY8nosGvU9vOKZIJ/lx++3mUefGBWO9coxVBfNFxALjjvS7VCErZiCLQXotGW7DPusYurc6y9niVy4+Mz02a++Hq4jtymbHt5SynY0GHQKs7Pi1NW03OtCTl/fsxRDItq3zUARDRyuv1g7WGi6zHbvoUI7MMItiL9jCjjqepbvheFEvUHmxVW5jUVyMdXh6Tm2PXL456Eefkl8/8oOdAeglGDr3ROiXbh0zrCYIXmPoOaW9iD/cKoukqoBmM6NPOQuR2CD5ddc4hh7F0QdnLbd5DY/NM2yFgWRFyxzfsie4WapoDYaO5kyE7d2NLkVFinlmXKm+oloV6+9gHR6g/75cdGegAUdfFWbOhautXXc4jgfmhArP0pHNS9r4EFrJ7o/8p53zi0nriuO4xdUTQ1LqouGuKXo7qpWIBN2lQvmj+CfXf+AfqgUVMMQ/sVqJ1j/gfFBc1K40RYv4J3aIrpn/NmlseQJplu5hPMxpfOrbHnjcY1/6tHMu/l1Tuy5ubM29IRc4v3t+nA/nd8855MvvuEdZBhjwLPF3RddjGurva0XpuesFOWZx3T667O+hf/L2tpqyKQpdVxUnbiakwuQeRYc8cUaY/BBJZzaxgtQ1KWWjfXNdpOaq25alJbkKtXVRmFVNSNUCYuxqj4Lofs5AAW82PKi0lmTDgnJRApXblpFXujUalFd+3lKR7tB11G1A9JYBhVbaFJc6o9OO3uxbQbl02qbz4jp1bPqyTjGX/bBZp+2ejYltyPmKwepaVI9o8aXvxehjJxb2Bk0vVENnhH6ggiF9jZWKcs1Q6toFTloMI5XHucKJJLelJnE41zkofw1ZUzkxSbdiD2SzixIetWsmEurQA20wCed2BpXbhioiQU6SNjglGZcifTE1icdLuwhnOV7SZaTbSVAuHSuLnKWkvMsM2AoOkvAkHKp1rW2JkhbbOUrHu7Lv68zkxqOnww0kD94d6WyMIzHuhAAXc1x3YxzPajtZMa4nn9tRxjp0SyXLHTqMXUB/zogUHe1jSS1vBI7uHXnVhYNMukOp7n/084UhuZv47glZeftdqbysK3fufGCu639Lc4t5z5aVp6zOGR8s19Ga2/6R/Jbmdu6jPd6nudHqC41Oo9PoNDqNTqPT6DQ6jU6j0+g0Oo1Oo9PoNDqNTqPT6P8YOjMeADYbAIwZKWTHn1rneI4AhrH/ZPVkHniJWOKZx4zsS+xTnEUBvdMJPG6LD1jnjFTje4tPq6L6xXj4umeshhs6Yc1w4MSXPsTU4KQKBFzvIeYgwdU1nQAfFEUXfVVvDOROh7D+dtgvEN1RRD3DkxF1CzzHoziIp8qwoNwXscASd2MNGaKKI0agylMzU2rb0V/KLzEBCgn2Z8b9AJPl68wAAAK+SURBVMCC5RpmxuJYJKwwdPbMCOOpq7DIR/zr6OFu7/zX/RMex1igF5drPI7iwDJhCtm3SEINVtc2u9t6pRsgSFDdaZ95Jgwsk2QR6uI39a3NJmLPjN0jiAr0bRj0yJ9QgONP+16l9OKkX2XyDpNUTU/tBDQOijwjBCFEfnUiwVJ9ZcYOseLN2NmpiAb6SyJkcFrXa3TezvZMq5zpKC4sPd+wvuAyh/NDu5ZvdqdvWnNU1cWXCiqoXmd2jt4Ilm9DGNjrS8KrtRPh7hcpQxvQ6J6k3L4e0DA7nav6zKwJgfSmrDjlJ3hbvMyL3EjBkheqIf+uxWwtYRdMvGzeyOy3zT+oZEYDHSuY2vSryGG9/bc9/tbA7ObdIT+wX6t9DLCWJ7uTwLoOwq7gAJ8/5II9O++yN0Nz7u+wZsGTmo4QKLQZpvl8GQxzcIBuMWKdznAeOeUVSL2F+d9WgSP0wnI+P69i1wkEOu+y+jX068i5b/JFZ3Kzmrjb9l6T0C4T8lrbbmzehuge5T66k0LPCdbzeOPPT6JjEJ2E6JMGF4/3689o2MiBV4RXulw+iH7t1nizSyk1S5Q/1D2GMdKCBr4eYcMevLgKoUu3IfqD27zxJnG00AVv9HBEfubHOkuT75WggB9lGPQj8uygNASbuArRLapqUYID3Y/zJebCOZYVBTzmdtYQCD1crkmXQToQkNlYytz21xaEvqq/cc+ilH6RV5SS24hq5j+PEy9uzJdXChT+CHqBLSBTJ7gno4WO2R1q2DC5FwS2cJPGs6UJ9ONrIU8fzi0Cq40gaAOCUtCF49SsFdgss8PL/KhmFnnn0TYYEWLDeGSYw1S9XOKp78cVH2Z4ZV+G3lRr3nkcL6PIxDtcUgQ8PTga5hoBNAVJjWATh8Pcp8Yoruawv76OOft2YBgWRXR6DU+j0+gf8fEHPBXbe7LKC+AAAAAASUVORK5CYII=|thumb|none|250x209px]]

Select a crisis and the application takes you to a crisis editing screen. The Crisis Detail appears in a child component on the same page, beneath the list.

Alter the name of a crisis. Notice that the corresponding name in the crisis list does not change.

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAAEZCAMAAACJlciXAAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEX////19PTO2N3x7/BgfYvw8PD7+/vu7u7P2Nzt7e3//v7O19vz8/P29vXS297y9fb8/v7+/v3y8vHv9v+eu+r9/Pzy8/L6/f9ceony9vvv7/CevOzv8PH5+flZd4bEztTy8e/x8vLX5e3///zW3uKdrrfg4OH8//98lJ/r7Ovp6er08urYyrvx8vBaeIfc4eX18/Dl4+K1qZ+jo6fs6ebd6PBfe4rS4Orn5+Pe5ev18e7x/v/0+f2fnJ/k7/Xl5unv6+L1+Pjj6u2ywdDC0uHR2+PV1NOoop+otcLg5eTa3uHx7+6eoKfg7PPk2Mjp7O+krbnb29n//PFbWVqsp6W8xczl3dLRwrWempq6urr3///x9PXs5t7p49jX4ei4rqa2trfT19rNz86uo57m7e/w7ent4dTt8fL58u7r7/CVmaGwu8NUVFSbo63p8fPh39vJ0+Ctra2tvMr3+/7Huazs9Pf24sfL2+R3dnWmqKyioqHc0cS5yNbM1Nmgp7OYnqaom5fe2dFDQ0r98NvPyL/Fx8nMsZOglpL9+/jz6drUz8mKh4fC2ur7+PTK3+x3jpussbe8rZ/Lycjlyq3s3cuRrMWhtMeJmaP+8+OUk5nY295OTEvEtKZwiJafgWG30eH59vK+tKu8v8P/+evDy9Kyopbl0rz///llgqDHwsD17+THvrSVj4x/ori+3/Hi9/+Ps9C9mn60kXDPvKzAu7fo9fvq+v/HpYOJn61/lbGrxti9zNzv5+uMoL/a8f5eUkd6kJ6mkYK0sbB/ZVGXudZsYVxNWGxqb3e42Oxyj652g4uEgn/M5fNhXW7v2b2hxt+Xh3y+oYyHjZOrzOR5lKlaaohSYH52gqX359JcsOeljHGivNSt1eyUp7bcwKFqa2yCy+z07uyOdnBDruiJvOhndYRtiaLT6vhxWUWIcV1SquZUWGKbzutosOaWuuh6a2eLkZzSxaxcaXh0weppdJuUfWh2fYGPeJh4teZddZBwb46dhXBqvOmTmGmfgpehp3h2hOGhAAAgAElEQVR42uybe1BTVx7HL+I1DZLpEte1ZmC5BsJLssACDYRaMCqKV2EiRLs+YOtiCQ+LiqtdkGFNraudEO0oBGVL7GBrVyYUXB/ARnEXy4BD1ZVHjQY3NEExJOiYdQZn+GPPORcI0ERDtTNZ5n5n4Nx7z/n9bj7n9zuvDGAYLVq0aNGayfJyw19dfB+bQx/+T7Gaw3bKxHO+zYT18uYsrxehuzEZry4mZ/wjzeFMw+GcMav5uHNWTPY4jI8TFkyfFwUdZ7wO2d7BmgY50206HJTG+9jTGXRPp9CFQgKVpHD0nrS5IITCyT7Jl6Hj0BmfnDY6h03ZcIjxVjjxIvQfvYNNThOdDNGZ5dCIjNVRVrroMR+kps3cNvkNsZkvRsfFczkMRmI6Pk10ToxERJXF4+TiYo5jdDLRf/I7tm2NJaeHHm8xdlr0DIKQCvQkKRSSGiMXFtB7vMVqtlhhPoDYEyTIDs2IiKTuCKFddP75y4sYxJImAmeDmPH5bBBONnwOb73RpV30RRtmN4FKvltyYzbbnU3ibHfi02VZBH88llPQFxfC9tA7aABexk74vQAYsp1H7xvWS6Xxpg6BXCeoJWPNukymPFOjMwuAQ6HRKpRqTLXSdLOOwVQIzHLhcoMZNkohFXKdyB46u6aM5em2ssktX+KbQr6fKBFtkZxOwclEySycFINnDtDPrjmq/pBBJEq2qkOA1Yp8yQo83z/mjUTJWAJNRY+E6HjMJ5JYEjieWxySKBKf/GTsBU6ghxgUQpDrzCGDudMQrzUPWzUmhdE6ZOKSDEAN6zJXmMzDeo1p5KapdrlBl641Dlv7LFqziLQX9ZpGiUTyRLVeuSqynL+ya9dWcFGWVdOQq1QlK3Nz7nnbRfdObkhSysNDlbkl6pjbvUeP9B4N4u4uO/45b2cXl3SIztlcwtvZEF2kXJXzIODE3oyu3JxyvpPoZJgBehZKh/TVOwxhBh2Xq9EqLHouF4zpEFMHqhvWi9INAlNttVGv0WYPWUVhBoVFJ2XYj/oRHo93RJVRFr8/SLCyqTTtHitB6XtCFVOjPtC1IyLMftTZX9SxMuoWr1GVhqpjnijO5rRJC9tqyo53rV38npxwiL6opmyTtLAprcknuSsgZ29GnU9Rw4fORl1jgJEViIbM0uUGoUpr0MdrO8KGTVoYdS2q41oMIyOgPwSgfzTazGF0N9zmYKxTCa9a2cDj9fqnqRbnqNhnS3bd7uVtLws5rwxq4thD5yScuNpwuz0iRx6+Xx2Rw01Yo+iD6Mnqd/uWqByj8zPKfxX+r/LCtvAtDRD9pltRw7ukk+hoPIeYahG6QH8q3aDQKozRfRa9lCEcGiHBWNcZ9dUh1lhLB0LPBvmhsXIdoYOxDqa5laqMaz6HebFpqvC0a6zDyuIc+aGi8r81nQptF9lD9y7qWrFa/GQfCF/oFPRtjtFZbLcN6qzFS5p23mNRUZ8WOpjFR4wmvdAI0TUW67AVzHm/1Bq1ChKse8MWo9aKg9GtBdAdUqO+z6SP1Q5brH2Oow5n+MLOLUpeThk/UuW5XskrKfc+oOQFgfHPW1OebQ+d+MM1N3e33er9St4ThF5iQ3/PAXph0PaS8pjC3u3qtcBxTnvSiWmig7VbrlMQZHo0KVKQIW1tTIYis0+hi4bvI0kFqAPd0wZWfkUmyeUS6W2M+LZaOEQcbGki/MEvcSw/ZuvcbFIcz8A3gwsOKfb1x/EI31nZdsf6NjFwx4l6Izvfd7V/8MkU5kkRmS+KCIvyz2aIRfa3NPnFvr5zs6O2FmcS+e/PPaAWiUX5sTi0cH43R8DdHAn6ioA7O1QQozs6JqpjwBWdQTWCWz5qlXeAzoEVOA4WXAKV1AVYeanl18G6DhvCjRxYzt0ZYI4GtzgJXLnD0j46WNGBO+CdQ9SAhaHJmw+bctyns5H9/9/D88WnV+A/ZQ8/A44vfLb7NI4vGJv5WtjH0X2m02Gs8aOusya207Ezp21b39rTHJz56mJMeIUbw2krTw/b9w7OWXFsB3Av9ktNGOz5L/yaZr7Pq2vOpM78Ga0moni9vLkX/S0cLVq0aNGiRYsWLVq0ZooOkd4LYHkK5wC9CS9LN8HffgRnKTrdsQtgEc7ZNNGslJEVCAqPcGQG68JRa+zUUuwUh4PzwfNFgaU4qvYuwErd4cWiQNcBX/fZ49TU/n0A9G5lKpTyAobVd8dhWNEPeXmDvfMwbE9qJ4Z9cCs1b/Bq9JjZ2T9/m5p6fQeGVbRU5kE9j1v3qOcb2GF3v8fqwTP4+NcX66naVjl2ELnPu97hKuTVz1pXibb8U3YP86vqzgwOjvprZWMgdq4nDrvR/Plp8W+b2zdieyo7AeHTXHFNS88Fyuxwy9NlKfuf5amwioFGMVRY4LoWGTAFfr4OTBCLQ5vB89ULzrXOgrUnF2KXWgXBwcEbBrovuga5379lChSp1it+Vf9FCXyu9RuEDn8wr/uyWoR+v/IhqNtTWYfMzlS1XoEZ09IdVzFQNpY/j1JBQ4QO7j5urkPeujdStR6XWmFO/AI6dI2gt7Sj8oPfzRtFx8bQ61u54K4ijYvQj8maQO2ZjH+g5neaqS5IXraxYqBuDL2l4RnIikno2Dg6RqFjLoO+p/LaeAJUPX+TxWKFNrdTCb9nQHb7qP8CFOtOMDBk/X/yfWc0gsdkcurCw6NioL8wMrKwcDlAv3ynWR04JeqDayJB9ao4gL6WxfJZ3+IqCX+j8qYNXQZmobzBBvDRULIf/su3Mtl3+zAUdaz6s8cy2SAvDpsSuoqBwY+gdkF07KCsDZscdRmqfXIRuySDs9zgdS7mYlEPhNNcUsTu5gcQDqGDZWrzF49lKgodZHvUhmeyMogVOBZ1zAubMNYB+rpH3RenjPW48YTfGxHa8vSKy0zwLY1UF3wkx9BY/6pSHYjQS8+j8FSAyQCih+5AmXG35yI11qkeO9Z/ZTI6SKPLdyePdRs6MD088Hyei6B71bc+hGW9rANMc2BG8qgHYYbo1QPtgYinEaFXIWavUZIz1C0oLkxBxy5Vpj6woXuNo4/O8PdlZa4S9o9beiQLE74EH4hCBwkMZmmY8AdlV31DPr01qEDoN5r7JfH5X46Nj+PNb+9YuuWuDCz4A+oQpAIKvfqR7PuJUe+JRbVvjs7wZ6pkrrKn8Th7C0w+35UHjqGD2bsMofv9/T+VeZX9y6kZHuztwL4Mthtl/wGYPd0Hu4rarw0+pNCxr5ofTJrmUC3YD1DoXneavy5wFXZsW0DAQni1LQU9mB8jwvri4ac/FBEQvwCVsN4vKiDpnQmG4LaAekypwC8qCzmMQn7OxPwRFn2jtVmYFPnCPBKSFsyQw48Hff6jRYsWLVq0aNGiRYsWLVo/p0JWT1SSm+eMlL1/88yd/fYE/eYqhzkz9WP2sNlvzZ6gt4Jez1+Ku57w/7F3fj9pbHkAj2VPp6age3lozIQKGCUXmdHLL5UmVAQE6oz8SBBoBEFxNGAQIWwIiPxIJKbs3a2YTW80NL0abYq1T7iJWV665j7ty325r33Yl33e+x/smcH2Ktjt7Wbtusg3MMCZ7/fAZ77fM+fXcKYBnd/9mxZ6C72FfoPQu7puKvrAm2RXPbqQzWVzP5HhpTqgIYXHpf9bLQQIoDfXC/3Nn38eqEOn1k9PT6cs/3b1AYLW2Q/UfUluqiHF59sPUOVxzQ6yfou4Vuivnr1oQJfI0ltlvykAPQZ4XCHtNS7ObOk/4wvZLEbHulV2VZlkALhcFo5D7fBcgMv8Ub9mgOAYmS/4o0hB9dIkLPQCOkc6EFjXAB224n6oR2+XyHQcttsVz5Ufj+ce+/gBYt2Xz89TZehAT77suwto9Or9P5Siivw8UZhxlB+vbW3BvQ6+G76+N0BQdzbOZi/IVYWdUnCtMC7I+fZUuOPYdwu9FmX9h0u8rsORv8tSzuB+zr5fcA1joTnZd9qSdc6vMx9NldU9AOqEHp9mZjxqpaRYxbbztg1rIavH0p6jpfUzg0mCZw5OwiAXU/6qM/RIljKT/NfWEeP+elpLXAf0Hz+CXkw5TZ3ESG59Q+/Xj5lJm7qHYyYN5MNDY1xAB3y+bNR55EqJt4pZf6dRD38f02FWD6lsk/H9eo5DrYToGRpdeCirvrQKiqmS1VDYWPNvro1ei9Nc1xtXVyP6PUAd6J1L9zzGzb0s3x9nLyQMpPKeg5xLLx8aV2j0KofzMhOWKx9AdNOixjjzIBaF6AmlQDZlhAZyJQEc6h4BSm09otFBcaqY3tvz9YaPjZkecA3QG+t1uqy3i7HM5OtoJxZadm/oSzocCz7K6rlOa+4Deqq9vfLOrZ5xwzj/gN4Hw0Agq5ai0EBJIFTRZEGgKUTvA8VUxTTtSRgSSk1WL7ierTlJcTupJm+xndFpjz8RMVbd/oQxM2lOJuQzZuvyoZ1G99I640SMjCT12NKixg7RdauM14tVt502IBDglpF2ckXi1S+49ndTGm9CrUMrSbtJi15PdEQhlUotLKS/H0EVon5xf+HOCJZeZilEFiDuR5BR8XsdaCIdFYvpxP52RAFV20fbkX5x4c4oNKBbNJRUZMFhCjoy2t8PKOkoihLSR4Fr24ZH6cua4QtaeyvA1BH5Cot+DxOYxwcdpKb5y4Pe4FgSGoD3edX2nGkzSf/jJs3+r+++8EZEo5/VCgHQ4Np0CRrR1wZ+fc+Ncd3nyGcbXKHwGtA7v+u+IE+bdGwOuWRccnGp77wscdqaUu63ht5b0pIbLLcvyP3mlMvWKxk8eXtOnp40aeUGbjeQB553d52T7rdNOiLbzm2Nw7fQW+g3G71r4KZOPHW9Pfl6qAEdxXGUWe7vXNcPx/EPffaGowQNPnLk6N4rj144EIDLTBm7ujTwRdC7fpqwxpkh2fPoQGqY1QKx7dwa0ZTNYDDs1AaWUMWOpa5LrDAYJnj130mPWyHhUZQIDyKIVBSmh6ChKZN8dsSg3SCgwheyU0y0fwn0oX983f1jbOAiOs+clBtDPRrXMAugoLZa5JONzcc+lw6F3mcBx+Y8CzDuqvlauJrc9CWXAgDgdHjQAYPjiOCYGbnV3dP89d2ixDvlrbaxwMKmpaIX1JQQ1OMn7eqVQ+MwG5xFDgqmzRkL/Y0464oDfqj7VU+91+HPHfumGNWohymbVAQdpkLRJ65xNtscVBI2w0RAIRJLpdBdMDomYCDwPC49W+iOqEZEs1rCBgMGhGGEuI06CyJ0WqfNpLxH4x/fTdkmApTIfRC10EoEjPaf+zo5WEhjX7MNAhgBsyogFe2shiyKncDI+xi7urL+Sn9cX9aJWGZtUDrhVs+UTGZSK5FVBTV0LPOwQvpcVQc5cpA4Vccdcp8rBSBeehkBQragEtzsiMkjae2q2meMejasKoLnIJedU179AikuBk/VqYVMLpt+FEtE0ioC4a1u70/02zQH5Gkw7vZvekPKWHBzPST16zx2nzq6eKUB/+rb3YH62RdUE3Ntp3s0WbvVQvn19DwKDPjEqVy+IrCNKmLPIHq2yinpsNBgeAc6L2ZapGw2myVmGjNnZqjiX8KD4nVy2avnwryMvd64U4eZBMXoGGZ1kP2lF3+ilaJceqratZ1ZOczqOaWoYlbsMMZL0U6z2h+dfpnplf6X3P4xr78RLS25hi6it4sWqZwsPbJxZF3mOpfWTUJY1l38sMy6SKxG7C4a3f9HdixK7broMWfc2beo2ZUf6Ss6DrYdiRh1jtOIOgTRYdEXePcSk+b0buoBLOtYH4NOK9l18LQotRDh18GwfZxdeUYdR+zb8djUtPloWyekXrtIPnq19XpjkwbVZPVtYy9DUnWHP8V2yO1xAY0eZ2s2Uk829JwKjW6n0QtrAmfGgvAcdGl4cFCt6NpWQw8frPMPdNOrNa8jQixpWtT4yWHJB3S9mZz8Zp2PI6xitLPziXrWPsyuRLHQvMYYj6WmzaGca3h1H8eCWvCF0RECU2+eJqsaV89qcEYiC8E6LvBkI84Srv5zx79ZzvY5MozXTWb1ntcEoxJgyaWynZyJwbO5zHoc7C2ly/7gZMkKqzOe4/cpoaR4YpEUIfo7R0ZbSj/ybh4H47CsO7IRn9GkMdJeNwf3To9WSjp4hg9U0jn13q7V8uUbsoQjn+/gUXNaojDIienoBeepuVEUoQoz7vKcyDBiEBu0INcBcuU55ufxwlt5/rwg14uiiq38IA43IsO8J69Cmfs0AOC4gxK5QeCZHTFYpHkV3M/czQG4t8prAQpm5hgX5PKzuUHbBHCvtSvmtOH8nBb98uhn13xAZKHmmKxNCDML7gsByuUCHMXpjzzWLzd4AMzVQnSrDRFyAbPBEZTL/Hb6Mw9n9jKG9P0+GCWEWfwZZ/LmwRjgsnigpgRTAJd7xfX6p7ov1FbH/3vb/j/uueEspOnQtc8HbsYA1SVLSN/9+vl5OeGCppS2yxZSvrhw9O2vmlNacw4taUl90f9tU8plqG1TFy4tMHU0p6gaJ57unwycl+7nHXeaUtZUjdV619CF1tzTJkW/2/vVpy4eu0Ho/BZ6C/3moQ+dPW8e+tCrF/v5vw3Vo9+ln3ebHP2npaFvjQP16D2dnWP/YufcftrIzgAu3BqbHmxnHUGwZTd4NBkVg+PrxDbyHQbfwUg29nRsB9+ggIzBYYQAm4sEIqFlG6w0KRarAiLSkuxKK4VIfcjTvjWPaV/3YV/y3D+hZ8YEMCRtN802UsJ5sDXfd26/Od935nh8zsetcmjtGXzjQIr54tDtqZqAE8Tq7w4IdkABZ9QH+MDmAGCWVtdnECp8NiWo75fTKXBqqqdCYHQKYDqpGiQ7UpMY+BkMvu3mn0yv2urRAdLoFaJ0Jx8VgmMTgDaAC1JsT+7chR2BMsDcGXCsZgV8QggFhIRBp59AdIu3Vv7Np9BZIIT8ExFbXSOGoij/pB7YeAsjOWkZBDUpkfakwIf09bZ//OX2OXTO81wZAGFVSGOIhBJgs6OUqB2lW5gBAzY/nQMcW4PAZL62W3WJBAaAi0Res0jUxA8qOTYBJWfQJ1l0jKBFDRiTocEHVSo5ZrMnKUqkBEaJSMRLQXT5IIAJdzpzKZdEAG8m0lhlJIhEJNDC4s3ORjstEAnee+DfafCvH/36u9V6gwfCO4yhQ3iL1mUS2rqJ3xoIpwkXVKGSsGDIZsp414d0EBItIvclnVhws4rIMVRisvGQTR/SwqK3QJ/5Qm3rFuK71SwmpF8gu1W80ffcYG7BEDkqMRBXdyE6eg1imYxyzGgx2XZRIRz1KwKRSCwM2oXBXcJiEAYbhJJu2IsPjv431HP8//oZdIu2nBQ5m4VOLeFSOLuNzmqZNiANKdYc7fgVLSGR83wcuhBslI3KlcFcOdgNysF2W5MtV551suidKJq0mK8KRqnGApGlGl9AFceJPVeaf5cinGZYJa5hR90LrRvXgLKtczIHWG9jXYDAKcsuIcGYbJSpjOymPrivv370x/MPN87zHwEHxeVCp0nSrQ4y6IB21NBtmzKZRUOo1aN3fRBd40Nd6qAfnEWXnBi8xHxViSbtPkvOR5+id9ejQ4PnHKO/qKFXobtxJBpfkEEHUEdpy/iHR4fO3nZ+SQOMdzp8anpT6LRbDKhk9xhd7uMD4pq2XDY2uuSYWe6jDUk5BgfJ5gdGuT1pYQxe7g1+cTrNqW0NPttuUq5N3vmRUbVg0OAh+h2MziUljMEn7w4CpkE7YtEeo1+xq9VqFLb8fBO6F5xeq6KfB/1tqzlgnKSopipnEkMoVbYJHROCrImgO1IgKYU94ExqcarVy8EVVTPVagK4nQ/MFKXk43aAUwoZfFQBlwmO3CSc2yiFDwq52Q4+qwp6k8oUMVYlaIWoHeZDx6osL0UZgIudYowUk7wIpXCNEZM+QNDKLAaSTf8fdD5gE/MMOv5mFjjgzJOuJq7pWUWd4M2C6FQOTvOyuTmjWlTScVLhaT0ntZ+0zAenDX8Ca3gOB1pJh/BjreY+7u/1N9bxUdDRW22fxy839YUXVFc8v6x/N3fWyT6hhIouvpH9lbfuzaVPRH2SqfHyb4bLdJk+39ShPpu8DZ/PmdbiV3VRBn/zqZ5kdl5GGbw8+3KJfon+uaLfuvm5ot96ff/lrZ8eZZAr5dXleFusGSZSHU/azK0/yCVTnc/WXAthx6a3NiutFTlX1Tsy/4Qjfn//88tzx378q8PDw/uuf1tfQR3fP3MWjGdCL+4sXt0f43ETpPpMh3OpgZWDuiMtsvgRbI1TOykmja9l39L3wtoYq6yrCl7v/1fbxt+FfvNbY+HlhRNPi2trmdCYWCyWMpEFma3bzD5u9oqNEsjtvD3lqGTFKnYruFisao1OtLJRCOFHu7QWRrDz8SujX/Xs5ZS4tnecqSCez66UR2E51ZtIhLKRbyYqR7HeXzAlZUMBF7u/XAYrUDAbw5mYbYL+OSaokyr6e2ZrPhutEjYh5hoqrloP3g/96/JfhRfRSwLRg3Fv5TDSsTocGYADQxIOeKVcJffN7SskmRxZD/kqyo00GRnww+uyQ7dE5A7J66PxyuFB4Yhkwgh2hmMlhUO3PaXZIPdd3Nzq8IG0azuyUmYiEZal/g2yAsdYNhJDGhq68pNQf12W0LuGjsgD3gaHm6u4EkckqoLGc8igSx0ZMhD0cxfItTU8fkhGXIaKvZImD8beD73tu8Fidv4CelFp2vnBtO5JPV1Mh4uOzMTq0uC6B0RDfXuhuPv605DW3bNi9T5eTLtLI/qDVSu6t+jdC6UzJTiGfe7Iat7sh+jDodH+6fDUQiC95+HNhNLhUv8452lo6JuJ1XGkK5DWPcL9EN3olyViyM59qE/oveHIhnUqeoPuzxdgRXokupjOMKG8ZP15Zaa3ud+6tvcquTfRl+mJx9D1UCX2nwK4vdPXv/rW++ocem5rez5wP+mwIk+sRsGDwEbepqmszCc1Bm3fXh5bngB2aPAJqzfTK496pKbB1fUvo8WRJVywkB8K4E/c98v2Jh7vSfggjEQjuvKWZ3Bjm78cGZzJJ/QDUc+DQFCTmdL1Oh8snaBbwXppcOaHgt5lKFSspXvz+LOerqVU3+OezKxggUFX7Txs2rlBbfU44zGjobCh88St6PKXuzNF8ftOc1/fOD/Dw1HvUErFcb35nhVRjAQOF21c7j19UtwVIL+Hzjq8vOhi0XV/aI56Cu5hMgbRHyy5FP35lTncP3TkXkpyeZ2ZqZnI9z7ddV2IJMm+9WGS3E/os1HP0GLWn2FDF+pr6O2K/qXU+gRJRob0Xt006S5pbkd0xuj4Pjmcnjc2M74udSyPz8f+adaVKEeY2Jvb1xUhegbRzBRV772kuXnrLQEWpXAC1SO5TKm1K79iTeZur+mRzuWSILq0MmcbiRGn6NFFegSOusexPCWOhkb0wRE2jKAKovf2W+/nMlM7RdHQHDQRQZcnEThGf9y7U2xlIhEy6DyD7qFjeVYQLSb0XePZJ8ulhoVYaHIhb4PWtdXT+iw/yZMtLJmVhsc9UehE2+V1Y/fWw/8d/WKUQSasJoNuVq245wKQSB/2JObgqFunp/PmvXx4YuxZPg0HaBaiD7mnp+ch5NTCfFhvhNz+p4FwyMX4eq9jvdSpm4qH56wlBVQHCDhtPGXRdb1s6EIGfX1pPhbCxaw+AW+Rftrdo4AlxbkZvTuUHXLPwdvAa98qwidMV950e869bdzRT4cfJubR8AdG5xnYY9Y56LBcAxM4jqvFBvyM+2qxpn+xd/VBTV1Z/PAHsGZkC2sZBpx0lCywpHSmUKnuhi+FKq4KTNDixCo2tlhFHRENUSiiqTEQUDF8hK4CGkgoZsGIBNEhNS1pkEAAxYWJC5kyAyzjTEEG4ghju/e+FxAUXWjtbnfyfpPkvXvfuefe3z3n3tz38t7JqmhH7/V7PD71ZoYuWuXrsYKJRJgrmBv8Q+1XeTPtcZTBDUgcK1vlS77sfQklhKoV65lM31B8LOt3/n5HD2xwXOTvjRTakzHqFoU6IjFfpuNHmz3tsaJFG3A53J5V+LGyRaEnPvc/cSzwU+/1qCbUgkXWxr4u6h7PNmTgOLxWw1v8r+rEQ914OedBChDxBon4gVMBBR2tT+k/iz1IZJCHreU83iFCF75DSJPy1uJYYnnUVvzcp+NUOY/pRi2PCk46lmaPV5Me1piGHgumXvY/Pn1BrvTSSIQeK7xf9vg+co719r9wDb+QKIO/Cl4ZidD+FcUW2NA5ogz+6a2ZvzvZcJTBHtuKMkj92SoFChQoUKBAgQIFChQoUKBAgQIFChQoUKBAgQIFChQoUKBAYS64OjgQT7k62bkRKbwvsrM+FeXgjD5c6OSui5PTarqTkwOZptslT+ug+7yyCrIAOBD/KSbCNdDmKEGjgyt9jlwckMhhrszZwjQgebjQXef7F43Cs7m3OZDazuc3R6DUHQBZOZ+v31+Ljkm//TvSKY9tAlBo7xl1sRhtRosa2Ll8Pv8Q2X4aL/bBtLqoxBdJyR9zsJj2Jk503EC73frBF/pHYKiW1L9QuJuoNH+uzAnWjKy4NOggpIz9V/pr50m9ubzLR24O373MrzUbhBXANp398+KwyTuoFb1mvQZAcvK+GhSTbaIVTO1YaKi7RK9WmC6uWfyhrpFU0WEew61gOPmAS8dt1Oci7DSuQEd+5ITeOdFIl5PLJNFBqk70wYsdxPKkyxAexqB36zWl0aiUiDAa+iSchNeawmSGbiO146PYtDxdNsrEWonCzkDPac93UDUoUMo4eni0en7UJTdqGhTjV/FuTQqmLiFKZp7jILoFk4idZHS4AVPHJLtwCT3L2KrB7hBOaJAOpw0jv8gz8JtXCnT7euARn19YC1ox/15mO7+/BFv9M61+fx9JvR6brXUQovr4zYFQqeWb65dAFN+SpEdWZ2iLDOZ8Djwatii7WAR1NelNSE2Kn+oAAApTSURBVNoTaiyGBkSYZybJYd+7GMjIEFuUuta0jgkxUiW4mzrCmh910Rt0d0Fry5QPVIDqzrRfmTW977NA8iRKV8WYRV04xpnRef0cxIc93ugkHEBWX200n1mmrfcprvB9u6/B0a91UD7BUQ1Ep5LDQqVPSkrKeDgoGL65WDiWLBzYUznUJht+4NjxXXVvBYyPrYnSDfLM2WHj9wnqsfuTkhKTBUhA2K8Wfue5jbA6yky6hWoO/IOpHsYropchq3f8Y2XYUBtjscO2+c90DB4yguhK0jcHMfVraHwnJH2TWAvCATeBrglR59Q9CZpFva5iRmlTgyvyAoWpP3HNbhDWg2qCy+0YXVLcSFqnuFE+wUZuoSCtXvfQYDDwH2p6R8u4jx62vOv+fdZQo1GvxsK9XYCEZPyqOjQqJFbqFoOhkNXbzAHZcLawi6iS9zXKNBRA6ZHSE6Y7gFyToW0k/El7dYGzvECXDezTFt0AYfUBNDEZ+Pta2EP7zOa/1SPqLNlQvmkm9V6iWZUf41lJ8K+HZt3JB8AO4Mc2cISdYBpVKpU9QcVtYOQjb712VT6B2KBmzXR4jTD2rlJZtCmP31yka5RYWCCwaDD1m5i6CnW/cYJ0eMK3hbd9QDH0T2E9Sd3q8JXtlqKhO9D+gKDe0YA2C6XOMBFTK+KNXkbk/TSQ6VqMrSn+/o9aqxF1kMfqZlBXd+uqMIsBotST9f7+HU9WZ3FAjhjVQwcymexzZ0SdZ9agBrfJJ0R996asTk5zrRo0TECx9o3x/GTkFzx99ZTVCepC1P1k9/LwrIIHFQvNKS2zqdNUA+5Q98uoQ2Zf4SnuJV0Dps4Q6hO5X2lHNdfwoJd92yh5iwUM1cmZ1AHLlLeewVPNEK6tOzZispObO8Hq1e/oHvbijnf6IOroi4Bb3l8rmeD06k/lnpw1w8v6bnC17x8pHuDmfn1VMdl5fhyN9TGSepNg2OuLoSecZ9RlffXnTRc5QnIe4sV67dy5M7G27j73iq4CUwfV2U+QPzFMC6YOpRfE4sKDbuCHvxs/PC0WR4awMyLwkcNeeT1o8SJVZqNujitAOXkbUVekKsWFgYTTncZtU5Tf/CxDXLgJpKd7fBKU4pggyEUFcgIMezdBXjqHESc+Hoz10WoicVcXhUBlhuF4LWQqxYlXCtBaQnz0uDoqBgJSgL2uBRKUI+UV2Kcy9xJf0i7S0wavJeBXQA5QtApB65BBdrkhPWs/Jx4pThCnxYUD40LJz17bEfeL0lzmyCT3aLTpvRmZU1Kz7jYlsmnPC8+G83MVTy+C0LqnrtPnuTa4zKfx/++Q9lkMFk/bPLMQnfjYnTq/okCBAgUKFChQoECBwiwo7PFPD6Ll1jNEBTPaZqgLgkPwVZYY8gJuzqWjm2/52BD1Ut8EK/WESB9pcLXNUK/NXHcu3osTdRDwhZB34yJZNkP9wIUSkKdztu8g0lnrDiXbDPVPdg1Oj3UE9q4U27F6bjYkpFvH+kFgBNgM9aLaqPe45T3kWM8M3nIlfYltMKex1wbB9lNrv/RJ+ACnw86X2c71QCpUA4UX4fYbwetnVskNAvjojy8dDlVLfyNoeu3U8ww3AfwiX3Y4+YcD7u5B7gSsG2siaFby52Cmhv+o7cgPQa97kkvYujcQU688f+r3EPZlVtmerLIjIMo6tYO4xSv5zWTI8XUDkTOImMn4dh8ABwDXHKYjk452/rIba2G8cL8WzmE4o1NC4jWd6zBDsNSXOR25O8eXuXtq39V5roa6vhn02q0e80W6m1+kLH7L2uBB+UhZ/PGySwWKw4nczSulR6sRdbcEpXgkpC4iU6m86wnyCbVUV8XOWNu+7y63i/VIfDcNpm7+gO0tz5YLezkgKQD4qQV+qprONWZkaKbPlsebxVM/CTOeNotjyNtzBN6HG+dqp8OvQN1rdUBJaiTNzvHErmx5AeoKyIwJ2/pBaE2Bi50bJC/NUWaD3FN1K+Me5KUwcouaZLoupx/V7Mcs6dj2ZpbsEActAJUlNL/9IcUVb+9KE9VEfh8QXno551J7PsDTEt+nVd3HzjD8gj0Vh9tHvvrrpfcGFRfORQBbfGY1yALCRdcTOYynTXZujLiNIfJzJn38xfTa/xJ1TubG64k58ecur8uWh0NeJCTEbC+6fPl6GTHWlwosar/gM6otBk1UcIRgJLVe+nhd4o9q2WO1dMyvkNDx73Vm6Uxf9XVCwfa1DaoXWt/3LPU4GPl94d2NexkY5j3tDnbpTjjtlHBwus7Oi5f+xf8qyfq44+JJhuUvv33YClL53lxdGahs1+IJB+/e2tD2YeLJpXvp5HVrhvDuorR66+VL4V7XrtrHoFMDWrRXLL24+0zGxbUba9p7ettObj7e/Snwe+qFX9Zgr4fNjVq+yJrh3vHu477h3dPabr88dbp1jfWafduN/808cU4VGOvABB8afKk7cM0ajTnvytr/Hdpb9u/i5XMnGYIu7WNY3g1U+R2YbP4C80FZ94Ud/9dNris5MplOXgf22RY3FC02KjzkPh/i9c4A9Wrjwlw7aF5fNtO422Xj7ikzq9YUte9jmFP33XryMYjXrSfObA8QD2pfz7BZ1ai97uOVkplZgResN1+6lPS9+tJXUIJfx/C/Z2lWXdjp9gNp3Rc+gL0e1n0B5PXnDAxgldZAr/fbTjh3+uDO/+vOdYfQy+sdoAV2C/iBZSx/B3+vI0MHP4MoP7Dk1rRhEGUF5nURWYaHbnkMVo4MGW4pDN7qDL3pUurK/urKQDJTnSEM2CJQzlMHGrMqsbjDXrDRVNlbXTnfTlmKIUYNaI5CMYN2cZCbHUOMZTqDgxcPM290B7PDoqVTGZRBg4Jc+b5Agxi4HNySZjHE2Ecr2Cgbykj2RtPF6wQAyOtUB53tWVtJ1UN/r9uIOIpSHYDraRKB7Dt6e53hzjuRQQHe3aH7QDGX8CABAqM9yVEwCkbBKBgFo2AU4AaCbDiAIH5pMBAdyj5nw3mHgC7IX2wEjiGXHcJe58F18Dw7Jw8wznU5CRy5PnSvfRVkhV0bxYrtDH1R2JH1MqzYT6znlB3qXpcydNOXwu11KZNAL/Q0AbmnYMh7XSr2UNIhVyFmXSlmdl0pXV10rzssbF0orwgUlwFjVlZdxc5CU+/h4HWZsEqVfMuwyEWBSxxa87dAbzGDe12xOpvfYVbslkWWKxMWpXQlyOdHhsYcGh5eZ2dtXDghrnGSsVtCV2hJ6MIaXRSvs7aECrGyhk1KdjFiik86pB+4MDS+dZh4nbWxgDfcefWiEJXwyriF2SuZWFG8LuM3IS8sNDw73uWQ5cKkCSkW8YtWug2TBC8VsyUy0jI8oVAlbEJ6Y0JCHKrX2TlbEhJcqyccKthiuVqlJSG0KyEhMHKYJHgpdi1OViAG37GjqSmFXrmxammysmtysoMguxY7K1AJ5zCp3HDdjSNK6OqgUa8PScCIuyHLi7edC1HDOoQ7MKKMrDgAL6jrJsrDig8IDd0mPDjN4wAEpJHVjIJRMAoGMQAACTQae55Z6owAAAAASUVORK5CYII=|thumb|none|250x281px]]

Unlike Hero Detail, which updates as you type, Crisis Detail changes are temporary until you either save or discard them by pressing the "Save" or "Cancel" buttons. Both buttons navigate back to the Crisis Center and its list of crises.

Do not click either button yet. Click the browser back button or the "Heroes" link instead.

Up pops a dialog box.

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAABlCAMAAABTAg6ZAAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEX7+/vc3Nz8/Pz9/fz8/Pz6+vv////6+fn39/f4+Pj7+vn09PT8+/rw8fLy8vLY2Njq6urz9vn+/f7I2vvp7/u1xub+/f3+//79/v7////7/P3+//////3u7e3o6Oj3+fzB1Pjy9fn4+frv7++/0vf+/Pr///7o4t349fB7enr6+PRvaWf3/P/++/V2dnfKw8Dw8/bb4ON/fn/58+mjoqGMkJHs8vfp8PTo5uPW3eO+vLzu6uO+v8DNvq2ywtfg396ElKSTlZSYmZnw9/vRzMa4ydXHys339vT8+/fH1d+Ci5Vnam7AxcdbXGBtbXHc6PCNh4Tx38yhtcfDwcDy7uvV2Nv//vjf5er29vf5+vttcny+zNru6+bL2uTh2dHh7PNteIb//vzS1Nbw59zBuLKrra+DgoJUaGri6O7Br6CHhobItqFSUFPOz9Gdkot1fIjc6/Xy/P96dXDr4tT16N6OgG/++vDz7uV7i5+SoK/o7PG4ubi2rar28u2+x9KeqLPNwrixpZjUz8rf29iSenOxvszRyLyrn5LUxbWllYSbrcHj7fm5qprA0+Hk07+WhnmUjIiGnrBzcW/t7Oy4tLJzYmOfnJ1faXjFxcaSprrj4NnL0dnb08mpus3Y09GHiovaybajfnJlZmnEztduY1fDtafn9Pquz9/H2Oq9oo95bWZlY15+eVacjoOYprGjm5F5hJOjsLuxsLyvtLaPlZyPtsa4u8CNhXz27+J/cmR+gojJyMfV5/SGfHasloifiXTz8vDn2sqOmadbT0a0vcVBPUNmW1ZlgpKsopn0+Pidho6VkKbr9/5uhI3JvKJ3cW3r7/B4al07RlxxYXQcIS4rLjJ5ZlfNuqZNOh9ldX3R4e1+mbDS4PKHfpXR296WnqOptcCcjqGrk5jt2seqo7dwjopQT23X5OuHcWvbzsCHeW5mWGaIb1d5YEYpNUirlHa1pYapyNZMRjlneG5EU152jJolHx47LR+5z+Lz5dS2x+aFkJiPiKHDqrLKp5fEq4HE2H07AAAKV0lEQVR42uyaCVQURxqA29dFzQLjRmf3dfp1gyNkmYOBAQYGGC65QS6RQ+5bEOQKICA3goCAyCFBOUUODxDv+z7xWI33/db4kt14a5KN+5K3Z/VA9CUx+yAHcUL/79Wrqerqqv66/r/+v2oaS7X83eSUYMxGDWCTVN5Rm6zk2BQWnUVn0X+zwgMjafKhB1uqAzBjKph86OD3Zla8dxyn8CbhrFOzHOMdDvwfW6d+u1EO9Pc0w/A3oUNGcE31H9Mrjl4YCQUjnQiYGhKODEKP5hihfKcAQpRTyjbKS6iCO0EaH+vQ7Gil/gZ0TpmNv79XfvWGmHH09q7ysSnBSmOAW69W0G7ONjY290LQSipcbUGgBkSbqzHBvImYGWeZlu5d7XycLDpgQgO83FWHoPTL2idG0ZCtr4az3mTrQLRFeqpnjWLT+tczgp4Yp6FyQgnl/PCI19OIcko/1YC5ELDcOwJmZcp6OkVpYtmJlyQGl3mKQx8QGNHvkxltgWPA+vCCKAKH+kM+TfYGcZniHjvBcs/M9NqcIakkj/pGPXA0Nol65OGMMpD4z8quPo0DgLbmG1f4Iokdz3DT+vIgEhCWsTpoYG74pbZAPg7CU/MJiluuCM+nCGHsdOaRuMJYHa7tFRfkLIikiymzobWCTL59ngv2XqwjKNMP7Nzr7WlenCTMcF+NACOWDHwZRQTkHxs8+LX3g2p76uaqS31f5UjsbEPNs7zvIFq9tlhjPKArCLfMB8DSwr0rUDf80s+rDoxV4m/060AksYPzNl1I8LYT2IrFW80R1GGpr8Te4JhM7HPHMM1n/3Ar7JeKPcxxLMZW3LR12pFrF4KQfWgu+mA2BARMjs4gYNJWPiA/WbAOJkVnwEc+5+HGlzSmoTl3wRyt5Xm5mRW2oZYXXWDc4J361g6fiMPHoeG+Tgjcl0jTw3L3iD17k+zJnEO9Q+L9QVv8eBMUzY2gP2sMPnyhbXBbWR+aLK210cZZw3WiGZY3WrtXJRbduDvX+6Rznx/EuCunPUrZ8MmnUYyx00p02JHpwqNM99lBjF5xWwfa3j4Pl4VmwP+kk1wMInTi6CX9+pSUxXv/XgetJRuWp6TcntrQCvWW1kDKtK/mrLqbZXj2yw7P2u7oDu/eYF3tqdhEoiOFhx/+rfKLULHkvgCLWVsDtZ5+HrlQfqJxoz2ELxqXnZJKeyog0Ju/0PdU3dxP1+kxKwKDjvSgmMbo7lXnCQBXLHCCyekZsPtqBty4mMYxmkEn4c1V6/YOnGwKg3ESmyd3DLM3D+XBeY87IabX3+QxJ65BPnza/bFLdY1hlc9xc4j/Cugdg3VuQmOA0BfTi4ZnD7SGP2xMvm1g+PTuCm/F0VnGgMwadMlK+Qqh49+gd6dHIcclONIIMY7x3uE6raE8EJw1uGHeYz8NzRF0N/WNqwwMb/jV50Hb6Mova+ERe2QVX0sOIqMJKVq6uHqx9pHT5M1Q8R1AxfX5qQdPFDr3NfrZw54J8igcKbz3Gok9Z8jTYbgxdyDU4cRdwyGfhJ1RMWTuvtC0U3WmfReCeKPo1Vdk0n9a5NxYLyCP/SUjqUecHvXI/uwST7RoJG8mGXRBUon1QOjF0NpjEnFTWE62p9QzwvSQtKmGxChRdYK0M8lbfvm0gemJlwbChgSf2Wc6J8rWMY3yfMAttwC5Jsjb7lYg7xyz9iNn1+mgyMh1VhBddCAwuxWKnG1MQrjIW/kHBlqQQi+0GGJAv3wqEFoVFHgZu3cZAxAQy+d22eRrhQfy9cu8LGKEJgCI3jkLhCZ0gJGXBU4IrRQkhXoKwskA/1Q+6sK9wyqWr+/sNcuEMrxsJxCVWSmI8iAwUegYskkmUQIUbim9e8zaEhTgMSWaV+Sfitw3j3oVrTFXlF4fsdNAWYFKjIFSkAkCCKYjwLQieUxUwGVcNsnUo9sETCvIU/YDRtw6BKgxDcOrop0Yty7AmCjiV9uvg0gT/NVKYORq1Uv94kEXHm71gPjFRxnDzo1+/RQA8iCciA3WiFaxpzQsOovOorPoLDqLzqKz6Cw6i86is+gsOovOok9adFp5bsb7/lkgOXpWQ/3wCSkFCRVGxyMLbBKh2xSd77LznCOUJ3R4m+sP/SkKrFcn4iqLDuYt3e8grnA7YM6chqJEISVACYewapdAqRPLHGkIRquVPyDOlACEOYVm6VG4CqNHwGMyRapTh1mvXqVZu3VhfKK1Vfyl0vhDCJ0XaXaytGHHdqe4wh35lv6FJ/mi+fHbE4ua4xNFKPH3yuaoNnqOfLfDvUP3FaVyq3Zhs29e5ZPd8+X+A7sgmbWwwNW2yUZcLCzcU1J61V8W1r/T/0nxko+qjjfv98oXfVxBYSqNbrrG1eFB1c5758KgVqXjIQ+jf8GWCkbhYf9mpPAO8LMdpY6ZO43+DD/+a9oGeG73Q480D2ffbebClgyVtnUX7SXHLeUHV/anV5VMta636/dAjGfyjmbvgnS3R+J7pY70Z2a+YcvlSvQtfrlXTzZsK1ccbdvjV+TvpMLoetU90hJz03iTtIUVpltkFaUJ8m1d28m4Brn8cwJzL5SVlBWQH3rNT5Dv6NrO+3dxlq/D1bBI3zVhzgt3zllkto5QWXQErx7CwzGAaXBIitDFeBoAYFyMxHWV8/kuRw2VASA4ymrAPWocJ4uAXHUA1DHmNpWO5gB4nQHsFc1oDrjfKhKPEmT3+UDZkIupmvzEQNZNU3W/L/yJ6ECFP6xkty8sOovOorPoLDqLzqKz6Cw6i/6jBAfjFPzbu8mx7zfeNnTq/T+MU2pHvskNnjZO0VZ7u9C5ujP/OD6pnanGnA0A7ZWa45LgGZpvGTp/pq7GuGT6KPrK9zC18QiYoQneMvQ/qXPGJTqv0NXGdR/GorPobyt6CAm5HA4NdEl8rOgAfr8ph1I5dEzfeUcQz81IoW/UHjImdDVOZHO77nda6ro1W2ioFjqWe/n6qeedprfuJl/vxMeCHiI6s6YlzxxCgoPz0PRTkFAjIU+U/T5XtdBjXlxzKXp2Zcqt6C9O8zXGgg6WeThBXDS/pVjTqNlMQUS2bDevbCl2UzX0EMNnV5zgf6953frH84MxY7J1sNFPwFErMjojC3y4bYl9ue/u1Mr9BXt661UNXe/p81r44nrqrZTrjdTY0JNaIUa0tTj6uJ773/YE3p1ymo1t5XSTLJ+h5nV2Gdtv0yd8Px7zvWL/FVei8jpPnF6dhWGN16yi3afuPL6rn2UpcH1DaJLAkMvrSqoN2jmHnI13BpVfdJAnqoRnnhOgt049z/E+/5SC5CcXbNPWTW7MqjfvGWolPDs7sHRm42IX42FgYyCyXpcSYmBmkGBhZmVhZwU2B0An7zCwADlDtDWnNNqQHfX6iPc613DyuiJJQNBMAexkFgFZTpIOk2QfbKM0DAwrfomSBu6AxyVZeBn5SQOMnCyDzOvsfLwkAT52qMYIPtIAx+Abhyd1MJpcfSyDz+ujsy+jXh/1+qjXR70+6vVRr496fdTro14nx+sj91YAOc4RCgAZnEM4zZULBgAAAABJRU5ErkJggg==|thumb|none|250x101px]]

You can say "OK" and lose your changes or click "Cancel" and continue editing.

Behind this behavior is the router's CanDeactivate guard. The guard gives you a chance to clean-up or ask the user's permission before navigating away from the current view.

The Admin and Login buttons illustrate other router capabilities to be covered later in the guide. This short introduction will do for now.

Proceed to the first application milestone.

Milestone 1: Getting started

Begin with a simple version of the app that navigates between two empty views.

[[../File:data:image/gif;base64,R0lGODlh+gCYAPY7ALW1tc7Oztbe3ufn5+fv79bO1sbGxrW9vffv96Wlrd7e1v///97n53Nze1q1587W3ozG3mtra6W1tVpja3N7hISElIyUlJycnISEhJylrTk5OUJCQkpSWlpaWnO9563O3hCMxnOcvbXW3vfv55zG3jml5xil5yml563O52u953vG54zO75zO77XW78be7wic54StvXOMtcbO3mN7jGuEjHOMlISUnISUrYylrXu93oytxgAAAJy91gic3q3G1oS91r3G3hil3kp7rSGEtUq15yljlDFjlDFjnDljlDljnDlrpTlznEJrnEJzpUp7pVp7jFqErWOErWOMtXucrYScvaW1xgAAEAAIGAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAACH/C05FVFNDQVBFMi4wAwEAAAAh+QQEKAD/ACwAAAAA+gCYAAAH/4ALgoOEhYaHiImKi4yNjo+QkZKTlJWWl5iZmpucnZ6foKGio6SlpqeoqaqrrK2ur7CxsrO0tba3uLm6u7y9vr/AwcLDxMXGmggCMjIMx87PmwJUR0ZJ1ExVBNC3CAiLMkZFRuHU11FVD6repzpH7kfWSdZOzduzQE7aijLw7tb+/Y5UOSUghoxT0+BZKwLwCBN99lwxiEINIiIZ/94B/Jfk4CgCVKp5JOXjXRIf+mQ46Tcl4quS1iwe4mdNx7KbPqLEg0Lqgb+RohAw+SegEIEm/eq5XAXTiExDNI8AFURgqMN1oR4YcTcVFJB3Aw2VLBIlHSEEPmIcKeKkStFCVf/iNgMiBR6Veg8SGoQrd0FOI9ieCnqgo8nWEECwCmIQV8ICBFVWMtGhlJAMKkyKNNHxdhACCVUkaPNRlwkVswsIVFHrTocEIIkwcj0EpZ9MAmnXtu08KG5cvlV8CKqSMMkN0IRUrzwSw4div3EfEGjXpMrzQQmP8PZcedADq0g0hh3UxJqPGxrhCWjnb9x4odaA6AyYBLUgBNM4uqNnuZ+A5f8wsV128RyhQ3JbGSEDa/JQI9wCDASkEBWxvdPVAkglwYRisjX4z3iCrJSEE4WUl4QUgjSBBEdJNOGdEgXCA4VFaiWxWoMkIiKiEdcl4tM7VFRRnjsUDsKEO0NBUYX/FA36o0N+8NQjlDvltcValIRcaeUR4TGhFD/wIBWDkP3w1Js/UUhAkTs8DEJAP4ado5M1G0IoTjxFFFHkTPFMxUA71kRhWYFU6HBka4SImCN58KC4ABNbuRMOE4sNJc+T/0SBVQx0/oMEiIVY5aIjCDgxj5RUWIPESEMmcWCI/jShTxUW3nfoEXsCcaRxg/gQ6XgPxCOoIFFJdd9yR+gTIaLDvaPPmw2Oh95sgnwV0zfvhDMONZGq51mGst6XHxKomXrEoim64+gCP3aUpYzKInXEgwvU6E4Mhnbn2TujNgLEP0DBd8SwjyKJFa3u0BuhNWEhAONVhEybLKxJENys/zVm0ZQEDITQas1bCNfJ6ElUvWPmYO/QC9PE+2zU0DuwDWKtEfZNOfAgQuxXojXr+iTPSAsbe+a5g9j7ao+D/NMvIwktfTHLVp3slzVGdEaAEu40fGgMhYBZH4QwGwUWsWH3+o5ZFCURQiEJFfkms4NVM6/ZFWErYYEhZFMIp0c4vUB+D8FKNCFD9vxTr1RX9iPLfB+h7yEZHoG0ISZaTPbHgmxNSFMQXc2wrfCA6rOxUW23wMNcL+A1UNYeYdaQkpYjt5nQCkSIAP6o/I9gg9a0TKpc8leiO5Yv8K879SyHLoaNetfPSLSGl+A41WC+AJPwTE5ICO+YDuE5qGWYev/vrgvy8Np0s5wa1rY/9jCouM8GpuOUE3+50NWenbmE6bVYcui3S5nZkuAUbFkDev1IwnaGND6ZvaMeORvR8E7kPHhAL0b9K1+9kOSIkgDQEB5rX22SILVqJW5/R0CfIFbWufeB7ggcI8TiDgIOeNjHfPBA3+oI0brXWcMgNwmiR2oHIgZESnfu4N0gZIO/BUgsXIMQUQn98kDBLW9XhuMSAhMmxJvoo0bLSwQCPLSdqsRDH+wR2SDQo6FBnG9zCmlh1kAnwc01qBlELIQRE3Y/1unvevZTxNtsFEDzIK5u+wBYciyFK0IAT42C4JvIlrO0MfLMO1txV/6wpAjWhDH/ESE8iTYQAAR5wdA7HyIEA/6xJ82lr4Wfc1887LOmfo2wCYpJlTXqMT8/Ymw4J1zMuU5TslgKIn5zW2GDlEgsRfbnH6gZHb0g9I9XLWA+atSY4Q7opn6AKAZOGFPRdPaIKSiEGuLQiBMUs6Z5eeMBy2HCANxoDRVS8VpUwRohH7OrIywhHQhgzz5V548YFCWgkbLmDh3oDrNUBR5RKAoBpvCPekBroGCDB72YeJDHNXNFXUkIE9Y5iNpo1BsykJcSIAIoA6G0n+vaIyHrASXnUPGDG6wjqYpjkv3IZACRK8csCeHKFdrGTS7kJzyQZRJNdSwgmeTSDbASFT/akKEZ/5HUePI4CGTSa3T3io0zFzm2SsVIbl8bRNAywoT5rMthWfXGUc4ZEKcKAnufXMQDQtCtvtnUECDhX0SHxxw4JtFNqeQnw76ikRg8BQgwyqp1+kOtTWqQWLfyZnLKekwBrlEjU1xiraBiEqUENj2DLYQHTcaAhKxrASE8bGrU0lfHvmtwkkDAA5bhUVX6wDc3JNYyeMOAm2AFATeR0qEGgpvo7MM3QHgKAbxIiAFQ9yxAgK5MkMvbsyS3ENl1LiKmuwzeBXE7DPiteA8xAPV6RBkyuOEDoKsYAajXB8Hd7TKeYTNQLeW/AIZr+wBM4P9OCaMFTjA0HDZHBTsYGsB9sP+EJ0zhClv4whjOsIY3zOEOe/jDIA6xiEdM4hKb+MQoTrGKV8ziFrv4xTCOsYxnTOMa2/jGOM6xjnfM4x77+MdADrKQh0zkIhv5yEjGBAIIwGQmD6DJUI7yk6NM5SpbWcpXzvJzloxlK4+AAFPOMpbDTADtubjJXxZzldPM5CWPgM1QZjOcmTxnOhMAznKG8lnqTGcE4NnPVB4Bl++85irbeNCBJjSh01znL78Z0VHOc6TRnGhGU7rMblJ0nDVtaUvb+dKarrKZVQzoRBd603+Wc6kdHWk3bxrVUQY0VhrNZ1BTGs+mhvKoU1xqUYcazW9usqt//eVuRNrTn76zpOv/jJVfD7vMdM5zrRf96TnvGsVcZvSXDVADG9RABpqWgAGoPINkQ3kAB+i2DQQQbFCn+QHjNreVZ03lDMSbAPZu96lDPWdJX/vEvRY0AQ6AgzIPwAbS4fKgjV3mYj+bADg4wJIFUIMpM9zRXDbAAfrsZ4E/vNmhtneTRV7mhbua4W1mda8//W8Tr5zJNGBAkwXAgADYwAYSOIABGIADbwcAATQgAMVtgIMwU9zOARjAADLQ7QAMXAI2oMHOa1CDpPd83QS4+bpXTW9N4+Dn3UiAAUYQgG5nQOk1uEHRmV51MLNdOja3wdmp3PISQxrM5Y6yzcssbo2PQADjrkHWBUCA/wBI584BKHi0CQAAiR8c3RkgAAMEr3GI/3wAgsfB2OnupjlngAZUp8EMDID5Mh/gAAN4wgA+s3HMC0DcCMD8wQlvAMILvM01XrWT837nJQcg8gSQQAAoPoUDEF7wAZgByZmceF0jQN1RL4DOmUz5jdNA6zMQwA0KEOiuNxzfTl+yvQNwfW/boPQEqAG7wQ99GgTgADQQt79zX2cbBCDYp/89k3UugAFIX/AV53S/JxpfxgBBl2Y2oABb1w0IoHNfVn3pt3rGdgPrZ2fdkGlRlm9lNn4ZwICxVwN+hnWWt4DdIIARx2q4R2ODxmYPUHWAVwM1p3g6ZwA4IABl93xLd/8ADCABotFkBFcAr1dwNPgAZccA05d+BGAAEjAAEpABLzgANShqGIhmy5cBSVcDtZcBqAeCA+eE3IZuNVh2B5eF9yZs9PdqCnAACaCDQhdvtZeEa0h4ooFua5hsASABazhlSigBhGd4TCYaDJAATmcACQAAMqeDzIaBbPaGTPaGAqCG4zYAAEBnhGh8d0aIfCh5B5Bz1YZpKihpavZqnIZrWdZpYoaCfTYI0/Zrp2hri6dpdUdi2XZqyCaKk7Zvt5hrueiJqeGKfUZtnGZroBhqsThiq4aKXiaMymhuw9iMwniBVKFvjaZryBhnfKZvZlhjwbhpL1ds/fZ93PiN3QjfjpS2coKmiLlGivy2jM5mY5fmaNq2aPEIj4tHj8omj/V4j/doj8FGj3tGj/0IkAK5jwMZkPdYjHbngQq5kAzZkA75kBAJkYYQkRRZkQuZZBiZkRq5kRzZkR75kSAZkiI5kiRZkiZ5kiiZkiq5kizZki75kjAZkzI5kzRZkzZ5kziZkzq5kzzZkz75k0AZlEI5lERZlEZ5lEiZlEq5lEzZlE75lFAZlVI5lVRZlVZ5lViZlVq5lVzZlV75lWAZlmI5lmRZlmZ5lmiZlmq5lmzZlm75lnAZl3I5l3RZl84QCAAh+QQFCgALACwyAIMACgAOAAAHQoAECAuEhYQKCYOGhAUIAIqGjQuPi5KTkAuWl4Wam5mYm5oGBwcNCAIEBAALCZEMBwMKBpACq5MLB4uMAa26CwGGgQAh+QQFCgAMACwyAHIAFwAfAAAHWoALgoOEhACFiImGh4qNgwcIjI6KBwuRk5SCl5iFlZqSnAuen6GCo4Ogk6MKBgYHBaGQAAEFA6WCAIcJC6mYngMCBgi3hAkHBMTJysvMzc7P0NHS09TV1tfPgQAh+QQFCgAMACxAAGYACQAZAAAHRYAAC4OEgwCChYMHCIiFBwuMiY+QjQuTlISXmJaJC4KXCgYGBwWLAAEFA4SHCwmemYMDAgYInQkHBJ26u7y9vr/AwcKJgQAh+QQFCgAOACw1AFEAFAAiAAAHYYAICAuEhYaHhQIJg4iNiQQAjI6IAgQLkZOUlpeSmQuVhZien5uEopmghqeOqQsBBwcNnZqQCwmjhAIKBwMFBrOODACEtwa4hgoBt8eFAczP0NHS09TV1tfY2drb3N3e1oEAIfkEBTwADQAsAwA9AEwAIgAAB/+ACwgCD4WGh4iJiouMjY6HAgQLCwKED5aWl4+Qhpidn5yhm4YICKCZmaKoiqmjraCwhQQEmrWrha+xnrW4sY2puQIDtLqVica9vMmWBQIKxsDHyIuow7aGECclJySQHt2ILzLKtTkmJSUfuocfPKKss9cPEA6FMumVz9CVhAq4/Icc5Lj0wcS4S/74PbtEgoTCfauEEUv2QoQhIDJIbMuRg8S9berEfdBW4uCDkZoEoAjwwMEJbg9yuHwBQcRLHvde+niA7oS6Q/E8iXgBjMSJSh1J5FAgYqAJnh8UkPj5QCMiAR5yEDohQ6YAEU9JQBDgwKGMFw+CjF1l7dNQSAL/SNSLOfVFiR9AHogj8cIBhFpWOwkgWeLFh46FnvL4ew5dxRIorj4I2ktAOkMc5V7q+EHG4aN7MzrwgOstrhI8MiTIJwCxDIM8nMpgfRmYtVYjp0IwKJdQUgcfjOqV4fdD1kMe0h0ucQDBgeDiED9QPNADcL5Qo7VddjjrOBFrp87jCKT1g645/npSmv5B8wNZP8T14fs8Yggcx9U8dXuZ/5SSCSYPIu8lAAAALDFSwCELKkKAKci0ImGAvuTyHgIAFKAaAKfA8opEo4Q4yoXvDXDANLfwksqDIrbYCInOOeciJpLk4uImyDQnyY4LnAggIUD+aMskCxAwwJFIJqnkc5JMNnnkAQYkIAECRBJ5gJNYDlPlllx26eWXVRYgSQJUbnkAmGimqeaaWwLw5ZlsximnnHBy6eaceObppYld3qnnn39WYqYkgBaapwIHMIBAAAAMYOijeQZgAAOQVmrppZhmqummnHbq6aeghirqqKSCGggAIfkEBQoACgAsLABGAA4AEQAAB2aACoIKL4OGhx8gF4eMDzADCYyGDwAICDGSgpQICwQJD6ChoZULCwgJAgKiDwKkpaeqk66vn6KtnKWvAAIDvQMGnAYLGAAABwy5CwUIAAEEAMnJBaQJAwXRr7nCFtjRzAPd4eLj5IEAIfkEBR4ACwAsBABgAHwAKAAAB/+ACwsIBw0bGxUFggsGGhsakBsNBosJEYsECR2OFwKLBhsIgggJE4cWiouqgwARpwqLAIePtA2CHR2iiwEaAwiHjrOOCwfCtBOCGLSQHBYDmBETBwEBFhuUjNfUAQbWqZajExEHBgbKDIKgug0d5N0bqasEEe3c1gGCsuX7BvgLphdUBdjwbF+CDQD2ZeNXzh+GBtu4RdNloQMBVQcvqlvVwYIgcAsGXlzUgEK6UAsKEFSF4dKqBRQi6BJkgYMoADZfChIHb9dKn54WFZu5CgOGVQI24BtwTR6AgihVTfC4ACSokYIG+Ns48NkirS8ZKF01AMBFnESlAsCQS1BXgRv/gp5Mu8go0qagvOrcOOogNpAEOIyDtWojAlwA4ukcqjMfh8b/zHJI4PZnZbnENkDGQDUrBg5nNUMG9ciRhnaVXC4YYO3QBX/ZdBG4MMsCtlUJcjaWtcyRvwkAMnt6C1QVadOOsCmLdAhDUMaNQfWrFkFvVdW7Wm2gHHtVAACGAq5CC1kfw5HAk01AQPyyqmIMDXh9SM3A1JkDMQsKynfBZ6wgFUBYJShtJMCA+VhWGVaLBEWeTumttl17IcX1XlQv2ZVVM4sgMBlZGxzQXVYbHPWRSxFUsIoCK230EIiKLUAAQis29eBLES4gy0HW5WcchkWZKAh8sfQkCAEUtNWf/45jXTdkU4tUNFeFIhJI10HxzNOBY5DlCNMhPVr4CZAsCSkIO1jRRgEAGXDQAX9k0iMKSAvQFsEFF3TAAWF8HdQBnh00+ZI1GCRAWwde7ZjAooyKIo0qTCmoEmagXMBoo/6ZuUBS4gmiAACWGjCTABekRaoi36ny6aIHYCUAd54CwCqDLxUAagKi7mKopXgumk+MBpSqCgMXMFjAor32KsoBVb4nLGTQRivttNRWa+212Gar7bbcduvtt+CGK+645JZr7rnopqvuuuy26+678MYr77z01mvvvfjmq+++/Pbr778AByzwwAQXbPDBCP9LgAQWWJCAdR02i24C6BRFV/9WsNpLgDNHdqbKbP0OkHG95UCaTsOUJIBBcB9V7FEBDQcHMiMFDIAnyzLuSkABeAZAMQIZ4PmMRwJYcAEAM9mcgAUsd2NbSIYWMJultIabQFAFZE2AACwDIMDM+4koQKviGUB2OjV7XJUnXJPaMjWrKWIBAhZcFIBerIlywQC2fqQVd3uvNnK4iaUTrADdGGob2IN49FQBVdo8swE1j+wx1y2zlkAAoswdwMqwCZ4PA6BaasE2g2BgqcoXe5uqUIiHzjgxAQT0KcaTV77K3PuN7bcviJc6twAIfHqbyKNTLpA/apuL6wBaYcAAawKI/DXvizBweuPVJyA3A0XrblxbqwZ4XSUADHy3c0ClvlYWbMhXNf3eNmvljwSt1o4u5OSMNIDZ/LkNTTABwKyQo3oECJ1bprGaoATAbuQQBSUQYDbZ+eOBqykgAyoWkgjqK4E4S1i+GJArEZorEAAh+QQFCgANACwuAEcADQAQAAAHcYANDSUfCQmCiIkkDgcCPYmJDySNPJCIAgKNFwkGjQ+fD5iNmgEZh4Kho5kMAAIGoJmxBwyzBoKiCwi5CwQMrwAAnQvDxAwPBAYLvsTFAwuYzMwMzgsHutELCgTEANjVzAgJ0QMB4wcFCAMHyd6+5cSBACH5BAUKAAoALC4ARgAZABEAAAeigAqCg4SFgi+GhQIFiYIQFxmNgiUfJIiNBwMhkgoeOR+NHpk6kg+mpw+KmRYJBgCGDwKmsqeDApmZFwUXCamCqMC+CrgDBwQAxcC0tKi3xcUExge/AtWxstjVtwsE3NzRA+Hi4+ECCQAHBwvr7AQG7PDxCO8M7/EEAvH669X73Pn+4hnbx2BAQH0A9qk7qC9BvAEBGOqLVgBBMXsS9dWLyC4QACH5BAUKAAYALDoAQQAdABYAAAeIgAaCg4SFhoMIiQiHjIcaOzsNkBaNlYY7BImWmwYIO5ygngSMJqCIn4cPpaadqIYPHg6snoc5JA8Qs66ED72+D5y0rwK9xA/EApWiIyOFv8+MFQ0NGhERCYuDx8XcjAUHBwMAAAGC2wLI6cCmA+3u7+6sC/P09fb3+Pn6+/z9/v8AAwocSNBfIAAh+QQFCgANACwDAD0AfwAZAAAH/4ALCwgEhYaHhiOFA4iNh4wEA5COlJWOCAiCmgwPnZ6foKGio6ICmQuHioqJq5aFqyOECK2JjbS1qbaHmgsCpJ2+ocGfw8CloIOIrbcEqrCvr8zN0MrU0Kq4tCOKpwu/nsXf4qEEs7jVromE1ujS0rqI3aTDweHCxKP1AuW3y4Tay5o9e8aK4DmBtgIekgdKQD1g9L5FbGjsQTl2BFCU2IgilYoWAV8woLYKAQMVJza6mMbyGgEXHTHW4qbJngMSwG4+CDexos9R/NSNYOGhGYMSLmJtUzrr37qmtW7OcmFi5LanS5uhQKHKnMBZ/jT91NnJAQ9fAhSgVbtWATiHb/+LoQ2aaMCLpM0EMGixUcVHBg42yiAg8sFGBwy2vTzRysUABh5KnGhBgERkEyhcvHjRArBKAiUCr4TGkNjNtAJ0knhxwoEMES8EOzhxAqeM2Sc+CCCR0vVOYxcRMXixkABfRRC2qhghgAWCqg6StlipqIUDloRIOCdwgoFlkyYyokDgACSDEwMcsDDYDS04B5vjk5BxYmeOHLBlpM4hQMYLEQ5AUMADJjzwXwEQfPDbb3SpMlwuLaRQCATThUbCSFW18IIHKEzSAhGpjJDSRpyREFN4WxG2UQl3RZdLOWIBA0AGD9xUgEM3rbZRSv75coIPOPK24gsfQPBCDhCIQpf/IQiUQFk5LJjoAXLTMeACCycQUJVjLXiQgyEProIUUl2ZWIgJA6RYFTfkjXZNaQIcgIAEZNVIAgkOqKWAArA5VIKCAvz5p0Nq4YRnksQEx9IILjgJU3ddFvIRCh7AVMIIIqnnggorMMlCdJteh0J0LXSXopYZecDACpWi0J2LLrUHjAEL0IlTWTi9QMIHDuD3gi85OPABbzL8IOxqMpTwA68QRLQkS815wMJIMBWSWaoXEqDCY0SxoEyXHpDAyAiUJonAdMgRANlKlGab7S1w0ppBCCgEk+ADInjgQZIy8LeTZTnI0AkJ9+nWL5LCLPlOOgmlMq5iJJE0yYv9xLuA/wUFYJDAARLAdc8xclU0THDuRAzPyeig/CLKsu5Eq5wHLIABAwdQ5FNPOIPTIDaWKGSNNgf53BLQ7MRiMcwLxCwBOOM07QkBqAg9jVe1UE1aP89OjbXVWqciD1q0CtDL2EvfzLTZaA+TSTYIIeRMNNNArNjbbrc9t93YyJ23IrwMkEACAdDKiyAd/+be4YYnjvhDYguCyeOQRy755JRXbvnlkw++QAALABCz5gdIIvropJduOulQa6766qy37vrrsA9+ANTd8MJ57LjnrvvuvOcOQO229y788MQXr3oCqgcwgPHMN++86wPczgsAz1dv/fMFfI7K79d3773wBBhgwAYBgn+/QCAAIfkEBSgABQAsUwBGABIAEAAAB4mABYIPD4KCBwklhouDDwKGBwtDjIuEhYIGkpSGlhAfD5lCMAIPOYyOlqALFg8YCQcSj42pmZEACxgMB5ypArULkZEZvKSEmQILyMgJlqQCCQkBmQvU1QkEA9nZAQsA09XUt+DAAwsI49Tf4ADn6Avq6+4B5e4D8N3u1QKR1AQH7fkWEDBg4MC3QAAh+QQFMgAOACwEAEEAfABFAAAH/4AOgoOECASEgoaIDggji4MjBAiKj4sEI46VmpucnZ6aBjU2NTKNBKcSBoszh48EAxKiNgKeD6qfuLm6mgQHOJIDNg+ShpQIgpKZx4U4B4YCNAPEkJPVBgenxKfFrbve38g0DN0OATY2EqkMOKMBCDQEAuc40oIKNdkED9KxNgG9EmzQMMCgRo0AA9jNInBuFriHuwbQWBSgxggEqa4JMoAA3ywEAR4MCoCD0CkAzoINOJCBQEEC1wjgcDcAH45bEHN+GsAqm6EALXsZECDqgIARNQYEmJHBwKVTJPMZaiiwwAGnBPDFpNFwhoAbBXSK9eQvUq8DQE8GEDDgwQF8Sf8DjAAqgVA0QSNsKPhY7eoprdiSViNwg9bYw5WIrg3FIC0BCQEM4BBQseOADAcYpMvnq4AACb8kP6jIwG9WmBJgZRAQKqFhxLARHUiQeQRrqA8QGJBgdISEV7OxGcoWQAJtZLslCCAQEpWgBP8MJAAg6EDs657MPs2XyVW+beQSaf+erTv28+jTq1/Pvr379/Djy59Pv779+/jz69/Pv7///wAGKOCABBZo4IEIJqjgggw26OCDEEYo4YQUioXABgcsoKGGAHBQiQYbdKDhBRtoYOIGG1gwwIYLIABABCBaYACLJKIIIogXbGgABig2kCGLQAYp5JBEFknkhT9u2CH/IVcZ4KQBAYwYQQBURhZBBwhoSMCVaBlAYgIbXtDBk08qwOEGCTgJwAY5Gunmm3AKiSSQHS6gSZgNACnABjMuQEEEWW4YAIYjTjAkAhwAwKIBG6wY56OQHkooi3XeOWKeLA7A5wIFbGAmkBaIuEAChsq5gaIbghRopKxGeuEFZBpggYePAHkBphoOMGuWB3CwqqAbELDABaUK+aU7rSbb6oUl3ghiB4+YqMEgJJ5YYgMCjCgqkApsUMCwJTZbIgNKdtAjAL8qq+6Rm1JKa3WxOnrBlFZasCqxQnZqppixcsStrBsAuu7Akvap5LuI2IorARxgoOMG6S7A6AijFgsk/3NAapokwQMTMunBdi6i8KKTahxkBNRaTLKwLE4AJscwt/gxhxyELDKeQFLQAcsJbBBlmI0WOiQBKa7a6c8xEzynu4RckMDTUGd5K5AMpLhhzxg83UEHSCfAAdRga9gpmxdgoMHLSXN8wbcsFpAAIU87ncAFF2RpAKoszsbyAgMA8LS/Os49t9NOb9jL0wB8mjbBFTbu+OOQRy755JRXbvnlmGeu+eacd+7556CHLvroFQKQ7eIL2Cu56ainvgzkAABwgQVmIjD4ik5bAJMFMmoYAO8Z2k63oxpaIAHdwjJAN7oIWJBABi7S/ZqBAMw4QI4J1G7BsFFez2EB3i9wgKsCVPLNdvErQuk6p85gwGuUCNSNIOvNN0+4+xmk/7MCAPw+OAAEcJ5TWLQ9ThEka3SzVwHpdoEMYGB6BKLf9uzFovwtoHzsi4zNGMEAWREwSwUwQPg01LwRDYBBEpQYAAaggO1ZMIAMuN4AmseWBBQgACtUQJuKJ7YZXeAfB0BXAQOQgAEIQHUHKgDL+hSAqwwiUAO4xulgcgC2WWWAOspV7a7xM4NZBRvrCgQAIfkEBQoACgAsWQBGAAwAEgAAB3aACoICAg6Ch4gPD4aIiAEJII2ICQshHw8iHo2UAIqen5wSD4SKh5QRAhUABwkBow+UEwsRCw0DCQKjsQuytAADwAALBsPFBwEGDAcLzM0LAcICFM7NAQMBCwTUzNgFA9vczADa28Ti2wfk2ePNBt/UBgfxCMyBACH5BAUKAAgALFkASAAgACIAAAeJgAiCAg8OgoeIiYqLgw8QjJCRgg+EkpaKD5QPk5eWmZ+am52MhKGlo6SUhAKrqIsDsLGys7S1Awu4ubq7vL2+v8DBwsPExcbHyMnKy8zNzs/Q0dLTugbUCwEA1Nba0tYL3dDf4NHj5M/m583p6svjAgbxAesLBwYDBeIH5PvouAQGCtySBuDAwEAAIfkEBQoABwAsUgA9AEEAWwAAB/+ABwgEhIWGBAOGiYmHhIwjio6HCweVlpeYlgiQjZwEnp+GnJAjm4SeoKGEmayYp6Goqo2vtLOznAituqmHo7W+haSlpLCxubqssrWfoCOxtMCws8fImMSFByiFKS2219DBvQSDBJTVro0e2oQe3c6jw8ymnwjkzqb3uOfWogQpKO/aEUBxooQHAgxOHHDgr8SBbgxSlCjRrUWlFI8KUdt3QBkBDwdOKMzGoMQABCxYMDjAAIEHFiNWMlCHYMAJmy4QoHChCpI5jgd4ZSPVroWJSiUcJHR2gKe/Fg4ttWBRSZszQxv39SOQjV47FEHvJRzUlJADizyHdQPLAlrWc7P/1BUSmM2FhxVjR7Dw4AJFCQJ7XVhcycLuOlVvq4UjVJjTzpgkujKAUAgsCQbOUKggwZMBCbk9xwGtlKqZrcWnxclKjGxrr0HXnimTrYy1Lmaoc+Pzxgv3Idutcv9ybXoZba6jBV1dLgw3c+fNn0uHBFxXvevYs2vfzr179eTgw4sfT768+fPo06tfz769+/fw48ufT7++/fv48+tf/3P/6AX9+bcPJQEKiIw5BRrIyk8JKnhJfw06eECAESpYYIUCMggggBJiQuCGHS5I4IQhZoIgiCWKiGGKLLbo4oswxijjjDTWaOONOOao44489ujjj0AGKeSQRBZp5JFIJqnkK5JMClgAjQEAMKMBB0gZI5VVXmmJlS5iWQmXLHr5ZZeZgBmilwIYoKYBgQAAOw==|thumb|none|250x152px]]

Generate a sample application to follow the walkthrough.

ng new angular-router-sample

Define Routes

A router must be configured with a list of route definitions.

Each definition translates to a Route object which has two things: a path, the URL path segment for this route; and a component, the component associated with this route.

The router draws upon its registry of definitions when the browser URL changes or when application code tells the router to navigate along a route path.

In simpler terms, you might say this of the first route:

  • When the browser's location URL changes to match the path segment /crisis-center, then the router activates an instance of the CrisisListComponent and displays its view.
  • When the application requests navigation to the path /crisis-center, the router activates an instance of CrisisListComponent, displays its view, and updates the browser's address location and history with the URL for that path.

The first configuration defines an array of two routes with simple paths leading to the CrisisListComponent and HeroListComponent. Generate the CrisisList and HeroList components.

ng generate component crisis-list
ng generate component hero-list

Replace the contents of each component with the sample HTML below.

<h2>CRISIS CENTER</h2>
<p>Get your crisis here</p>
<h2>HEROES</h2>
<p>Get your heroes here</p>

Register Router and Routes

In order to use the Router, you must first register the RouterModule from the @angular/router package. Define an array of routes, appRoutes, and pass them to the RouterModule.forRoot() method. It returns a module, containing the configured Router service provider, plus other providers that the routing library requires. Once the application is bootstrapped, the Router performs the initial navigation based on the current browser URL.

Note: The RouterModule.forRoot method is a pattern used to register application-wide providers. Read more about application-wide providers in the Singleton services guide.

import { NgModule }             from '@angular/core';
import { BrowserModule }        from '@angular/platform-browser';
import { FormsModule }          from '@angular/forms';
import { RouterModule, Routes } from '@angular/router';

import { AppComponent }          from './app.component';
import { CrisisListComponent }   from './crisis-list/crisis-list.component';
import { HeroListComponent }     from './hero-list/hero-list.component';

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
  { path: 'heroes', component: HeroListComponent },
];

@NgModule({
  imports: [
    BrowserModule,
    FormsModule,
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
  ],
  declarations: [
    AppComponent,
    HeroListComponent,
    CrisisListComponent,
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }

Adding the configured RouterModule to the AppModule is sufficient for simple route configurations. As the application grows, you'll want to refactor the routing configuration into a separate file and create a Routing Module, a special type of Service Module dedicated to the purpose of routing in feature modules.

Registering the RouterModule.forRoot() in the AppModule imports makes the Router service available everywhere in the application.

Add the Router Outlet

The root AppComponent is the application shell. It has a title, a navigation bar with two links, and a router outlet where the router swaps components on and off the page. Here's what you get:

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAASwAAABmCAMAAABGF1z5AAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEX///9Dc8h/oNnsYlzx8fHt8vv5+fnu7u7//v7t7e3pTUbpSEGuw+fsZV85bMX///26yeP39/f9/Pzy8O7o6enw7+/+/f7w7+78+/z95+bx8PD29vbr6+vnPDTwg3/+8vKoqKiVlZVra2voQjuBgYGioqLn5+dXV1fudG/s7O3CwsLZ2dn09PSSkpKcnJyxsbH4+Pjz8vLo7vi/v7/F1O7U1NSlpaVbW1tAccfh4eFHR0dNTU1QUFCqJCx0dHSYmJj6+/urq6vS0tI4a8ScBg2Gpdvl5ubz9vzKysrHx8e1tbXNzc3e3t7X19e7u7twcHBKSkqMjIyfn594mtjj5OStKTCurq7U5e29WWG4uLjO4+1GdshhYWFoaGjf6e5mv+n28e+wMjjs7u56enrsyMpVgM3m7O6Up7C63O3Q0NCkFx6ks7vb29tDQ0P9/v//8Pjq7e6Omda7Ulyv2ey2Nz7i6+65R02InaeGhob/+Pra5+5ZhM/FxcWj1Owtq+dfvOmzwMVXuend4OL4+v6ApeCXAAPov8OhEBfF4O1uweqnHiaY0Ovw9/29zerh6vnGZWvYmZ8nqOfjt7qRkZGOjo789/f26epNesvSjpSDyep3j5tMtehUVFTHXWD/3NyOq9/9+P95xerAUVXcpaaxtLbP3PJTuOnVf4HisLSQkJDq3N6ju+T15OX68fPWjYvId333vsD37O17n92NzOo8r+jP1th+laC7xcqbrLTakJBymNmsLDk3ruf/6+ynveW0P0jOhIldhtD03t7QcXRljtWCmKONoauyO1Ly1tVwkdNiiM/6xsk9PT1Gs+i5zvrV2t3Cy9CWteXU4PTN2fDE0ezD1vv46/8bpOerucBBsejm7/z///7Fb3a0y+7ku+P03v+qwObFzdHHz9P80tTw6Ojys7bYnMD15Pzo3fKxxuv+/u7QiMhFdMju0+fZ3eDK0dXa5fvNgLjx8/vCZIfQxeepwvCswOOww+XszvnrV1GLldTKd5LdqdKttOHLfaXcsLkXB2wiAAAWA0lEQVR42uyabUhbWRrHr93oNduh3Zp7vW7M7lInm66zdsdYZ7WjqNtibLt2bccygVubK5G8lGzblEuIJpvExH5IiArBXUKSQjYfDBTZLya+IFIQVFDq+FrUFqH2y06htKVMW3ZgYJ9zk1i3Y+2wMagz+X/IOee555xwfj7Pc885EcPSSivVOpwiJTf/XiKUV5pQ1y9SpK6lZOaPj+a01LG7sF6Wl5+O61CqlNz8pzdUfqhkd2HVXR7/aL9oKmPXYTXum6RaW56GtQ9hSXkpkzAPXiTCZEbvNVhCPGXi1wAsfjKjf7KwqB8VLApXq/XxJSnVyrhVr9+8AorSG9TU99dNfRiWqJD7FCUFq6MkkyuzX2Ze32Z12S9LOGWmCpZAbgmFInSsYfLJY+tXWtybmei1kVCIVb+7ML1J/SFYovYBZBpaFyUDa0k13onKG9/2d26zuhs3yzmZ79elBJaADkcZ1+qMlqIogYC2OVFB4UqfDxgJBHFWkdFwyGb1qRM21JnCm7UuGlqoP04lOr8DSzLYLsRJkVFHkLhQSOI4SZJQkFwdj5k2Wu+FVTrmfRWjcWt7WOYDtaAp71pKYOntUVrQTM/YDQqDSa6WqwV6Oa0W4AoTJVDQJi70KNbqUzaTkWUtJdDTciWFm9QGWiFQ+kZZvYBC/Slu9FawJjhYkzpCKLzkIHgkQUig4DscfLDzHM8IHi4sdDhE5PawVKreHwLrFhelX4/1Z6YAlkDrcVPgFlq3OsLYbKyNVvjsYcbJj0T0rM0edhvgqdoVNQmg8DlxJ2MP+xSUK8TY7Vp5eNkul4fCdhfdHLHZbPSWsIb+kZ/Pm9SJiHaNZnhAuq4b1sw+02k0OgdPwpl4J1dQaxtYD0vNwbH+jg1YT/pAD7DcG32IIFbyaOF6AhYXf3W1Iw9Q8KJuC1AxfdT5UV9XR9KwLB4t5zyUgFn2WViP1h11s6OMwmaT221syApPKVPYHsvylDxsY92rEXXUGrEEwvKQ1a1gAhaLnTGg0Yotw3BwGOTXidqNQ4+HNY52v25uVjM5N2TkTM91YJqcW59Y0W/nWeavvlGtxWHdCHrh4Fne+AL7l7cfUXrjvX/9fz3LPN+Btd1VobPmeOl1rGtsPuPQreRhuT1ODpagmQmYmp1Wrdvjc2q1aoaRB2ZYJ2uCZ6aAjUv7Aor1hFhLYJWeYZTN7lG5ZYamPYyFdVlZF4zeOmcZdSC/TmbUzD1e8Q8NTTyTDvgHpNIh43Pj8Nzjdv9Q+2D77MAAf1vP+urG1PiLGKzvns739vYGM+Y7HgbHwYPabo50JsJQ1XgANDXSjWV3eW9Bt9dP+x9gXeaxtd6S5MOQ9bCIlcKpZOwKCmApfKPLUTfAUmrDHg8KLcrABNQohzvlkeWwzRZ2yVdDOOWO0gBLuxyw2ew2p8tuovCtc1ahSCSZ1D3zGzWg5+1Gh3DOf4nkPTe2D3KmOdnKhN84p9zeszCTaj4Gq6Qb+cjCdLAOXOgJhi1Ov7qegJXxNAMJYGGZ3SgkMxG4Lhi6AzmLMqwyBthF+QJytFyARWvlWsZKM4yBpWmL1Yeiw21lIWfRo24IWoNByypWQ8o4LHrZrTDQFhPzflg8UggJ/uTgioRwPHYgWAP+WZI3ZFyfaJcRjvVns7OOAc2EbHvPwjqC5tK2RIJfmDJ7AVbdFMTd67GFjQTf350JWhzr7+YMmY1j3kbwLNX9HXkbUhaPy0n7rCEKLdcJOWvUIneN0jYGYo1mrRE9ikM7GNlAlKZH7U5t1BWDNUpbRllDIKp12gF1+D2wBhNvQ93gY4fOOAuwyEtGzeyAcVimG1x3rEzMrkwOnBw2Sj7gWVj3dP+/EayORpXKrFIhWDXz491tNzdefYkEjy2ZS7G8YKxb/87BwnHLjNUajRiaXQyE4arTxHisM6ze5VJaoh6ri9ukUrTLarXanDhfG/BYGbky7FNSlgAtD4An2jzWgLY5BKO3hDU5hGBpVkQynR+CTTikcZD4rMY/qHMIJbpBv3GddAz7/ZMD+Ac8C8v+RjU/cqvzYVA1DQC4MMRKxvp6p7XYO7Ae9prXsLuqachyJY0jOwmLUioU3AZBocT5Cjj4wI4Lx9UG2IsqFMrEcccAdSrWGXzNAD300FetUEMkK+AkpE50ffe4QxCxTz5OEjKCIgslcP4h+TJJIeysKIlEAjtUnJCJtt+UIliwcJWqtvPweD9aSB/yLKzu5kgtIHkLi3vl5byBXWntONRzu1SNOwkLoXjPiW/zg0T9rY1KdKU+fJDmRsHmHX1yBjJRkJta23sWdnhh+mmw8/CUeW1xMVh+GcECbxub73gLa2RpEfS6HLJ60PtqcfHN0wwuwe8crL1/RbPkRbCwtu8OQc7qGjt0+rS3dnocpaqSaW/p2x38t6e5O/yMftisLk5BPePAFGz9u7x7FhaOYCU1+nue1f3oRbwsBTcqvXu3r+ufi0/gxfiwo3Tt7aG5banvLqjvCcKYvfAIai+/ftSNKR51J3dTmjpWvDzIFf/3H+MH35RmZ29hS819Vg2PnyIJi9H8xWQyo/faDxY5WSlSTS6aPjcvmdHpX3fSP4X9uGGNZO4XHdh9WJcz9osu7zasjgP7SI2ZWFpppZVWWmntvH7zs32k//xyl2EdPPjz/aKDH+82rI9/l71f9Otf7T6sfZMy0rDSsH4SsHL5En6slkVICCQ81sSJ2OVulkgSt2SJeLFrOSlBFL07KykR5cTuX0WxaQiJKA8aeMyaQ/JrMH78CTzL2tQoxnKl8YZ0L8M6cqKn6kpV9Z9R/VRLQwFSVfVn0MqrFpOIwbnWBrBcRf9JcF78ZRYUf/1tS0GD+E+STVPmna2uKmjoOVsD9ZPi2DQFBa0irL5VXM/1EP7hKD/rIhgbqtDjhvri44luDaew4k/jDfGXoj0LS3Sxskl8p6Wy7FNY5olrTT3Hjx+/eOVawSlwkIZKAsMK/15R1iIuqCw7Bz51trLnCJZ79cqFAnFL04Wq+o0ZpdW3y8R3xLeP/TEfmFfcbhFzquZjV8vu3cnnvqmqQFZTDcaGe8fgs/WS9Mq1qli31vNY/p1rLUfhu8Vln/fw9iisotaKo/XSI/iZpmNnMOyTz6uLiouLi2RfXOupwWqqjomwvHMVF+txIfG3sqbfY9iZY0ePYEXi2+cIHn7piwutxfFpao5euHied0R4qqHiLznYZ5ViUew/7ItysKtN9ypOoNgVtTTIsCIeT/rJhTs8KU+aJ73SdD7WTVqD5R+vPJEF3/1fds4lNJEtjeNnEYxZNRZaUx0DoxIj0fKFaOErahBJYiwfqCgojBM3Eb0LCZIGt1FwYzAxuEiaIVkk3ZhHL0NoEpJFB27Wd5OQu+ie7qGHXjS9uXAv03NOPYx59HCZOwvN9KFJn5yc81Xq5/f9v69OHWI0Bx2mHoVF2xdZ7VHbJ6QQlo6VpFlqQszCkr6g5hlh89jjHCyfas7NeJOCEnNmph0TrKr519MSYLYvujvXmk8pVCkrD4sZCblYb0ynfJ1pEFaZ7SULut6EJZhbn+JczAPlBsJiJd1KBcdYWCKXg2YAivLjHCwxFRxnZo1Zec8Kh2i2Y9CrDXdgUfKIPWzoguXvU1gjVOqvfE4ETBgKCNhIS2FFwMKCTkO5/EMGFiIDSyS3BfV5sut1FalYj3aZMdtHB42okQIEyzUyZ6cfhqVhphlFDCw1urTbN9GrYWh1TAi6xtWhoNJikSnn7EEoUCwsN50OhdbnLBoDDwsMyVUheypMi3lcI6lUd8Y3O2wqplFxxrMEAQoG4n1YioKDnRcWAKk8tCiD13alHVpjz8Jyd8Oy2ylKZbuglMhRWFgwH9LaIGVzRIw8LIAFZItpRyFdxngHTd+GpeKynImBJQKyUNg9dB+WnUuaMgLCKqxTlOOiEKTJHi0dxKrOXQqYMAxbowELNZcHXbCQYGniipAM52ExJeiU3EFxtYMx3ZkpwFEYLsICAzaM4GCRMBAH78NKRZlpOMaEod5nnVpU6aS9WpSKJlR5bkwv+xMSeKYbmrDysCRlDkhAFSQZWLimzBVCSruH7WCjDj9nJqkU3xN4EVqdnhr9HQI/PGqLGHoUFu4JRdjerIoa47OhYaWwSnKwAqpFVtXItGKAhaVcT/JRq+xUIKusfo2kHXkES3AHFuEJzSkm7sGK3suGsykH3asV/FhKRSM+vsWCkuiUDta0PcnBgpnMg0SEiDtWCTYM/XZU38O1o/Zpzsxw0B5HDjG0UtAKECxwBxaQjBZs92GN3IOF0zaFtUdh4VOUfdST1CkK4UHQgYXB33iWhYX54WONS+YadSgCnMALIjZqNGLRKmzyjr6Y0/Y5Ga0MFuZ8SODTFhnT4lYeFpikLu7CUqzr2Gky/02dRYYLLkGPPhvigTBlD9nTHrTxoC642HrKuHohlxLB9RGU+eAEmy0lz6Nnw3UtvHOSnli3FexBfVcKnNWmHKFQSjnGZMOCjWmFdRrMczmB8FzwmmWTc551YeOaHD4p2NWsJQ11q9DqrS0aw1hgUjPOQDIG+NJpcHJWAKwaRqcNYo054GM+bTLvQxN/MEYD5jy39cKnwRHNpEbsZnOnmWuBISBll8BA08yy0k0G2O0KzMpPM8OsKA5w6DHf5MjDsHCu/fc3LvzmciH+uDb/npdyTKt++XD5jclPTnf+gymsjSwsVJp3hs8bABwevbw1dmOoT2Et1DJMyxVPvzH5R2fr25aae1VkIFZNtG/B/rtzC4C92C1YB87lfoe1z/z/bLv6/m8Px9Lb2LdhYYe5N4hANlFN7HYvOngA1o+PABYbQOeZzwjW053Gzid0t9kK/BbLZp+dHjrrlVcISKOBxsCrysdso/ITs+pt5vgDa+gs9xuaDic8y2ax0+3afrbJwnrdYE2eHtauKruPwbOwvRz0rMudjaWlpTdfCYBtHv0M72nz+NWhN+etVcDpcm5pyfsvGKuVhT3n0hHLaLn2no0+4XmmTuyW3kCGrxeKu9tLuaWj80MEq1JnTDYBGnNm+xvW8QlqVzkkxtla7dfWXia3RQg33iBYG6W187NacbndPPPut1onufpPIHtc+9JqsNpfz/yDF6+NBdHuZhHBKiWa2XotsfUXBOt5zNlqtUq1azwLDW2t9TcsL/zgl7zeRLYJ7935Ho5VMqVXoAMLvI1Bqcku/Ap/crl1VAHZTOkDnyg3jvmy8PIqI72BBTqatX10jUK39GX3MWhWolGpnHmvkJh8XEgwldF27F0XLCYbbjnfJIrFxCa832zsM3EfFji7BYvPhk82nXBdMRE7fvVIsqHw6ZmzwcCqo3dzwj0YNHdgHea8TKueQFj/5PPm5VmGf2v0unRseADWx4Uqu9D57lHAQtkwmznKdmBBz3p537O+rjFttxsW2HG2uCq9EtvHH/KsUukduxB7NLCebFUTa+DJZuYX5CSbCzAMj35BDDlYlw0nU1lgTawblvDpsfOaYDqbtWuwu4kIN2JdsEAd2YH63xQ+Gljgz/VqQwiWc8ef2qcbXjh2mLtqn9arRQTrZO3Z6w3v5zYccH695VlgJ1a9arfbW87qSRM0t6sn7fPNKoJVa61hCNZB7ui63d6JwZr1ABoi+hiW8HnmCsG6fNJwHn1CAQjlpZZ4B8vNBShQiQUmG3qdFdAoIfGBTibMOrtgXe6UkJpVMyfIzEEGduuZIsqGS5nzvdpLgDEmq8fQ5I8xb6zSz5719GyZ/bCfLZeuofwcwIz3ni3OE8WT54cnu0C4U6zDe3x9lkgkvqJav/7brd2Ew0SiuN/mnmgSxdbT7VYTmitene/U3wHGZHEfPQJgW8V6XxelNy5yCR7aUBHCf7//z8H+8NCf4Lp8NFs0vbD59x3Wd1jfYf2/wcIFAne/wnKP+cvl+cH/LQ+p9OZdBiEV3fqh1CRPYv0Ji6QjJn/yxUzXAQN8QPQHzZN65c37mSFL/PZJj0F5vD9hEbRcA0sOmu6CRUam/6B5d3nmxlXJW8ZhM0b6FFZUi47VAglzhpsYkECfwvNaWoI6QDQwMCDApcPDJJxjlBjhV8w4bAA4CUdw47AUuI2804gkEinuHhh2A9LolkpIhEMqkZAERjLL4TfDJPcCVxnHBQMGpo8xl8SMAyRwD4jgPJK5TG/CUq9OdgYl02oTHcUHk2ElbULHDXwzMvUwrol7Apho3qSmp4zA7ffMY8SkR+0mAvGy1SRjX7ljs2p1csZqVMvyAb0nOhunjYDIq9W0Pk+YPdMG4Naoy0m9lYcVpS1J5HvGKZPJZCWI+bjaR1vmcSIAL+Pv0fNZePxF9EZoPFZrXDkyPLkyY7WiTUVRcrGMA7FSNkiodfNjfnnSAGa1tBv4XDIDGNfpaNrFnjkKRKZ98ytq4A/HTfpwwCiLDIGoqzymUdJArIOaZdWVxWbdNAdLZzJ5wmo3kCZls9F4RAxG5Dr1jJbGJyN+eJky3pOwMMsLMeCesyZX8gCYw/NgXMudhAVilLdG4mYQldNQiZLaWTDugrBIGYRlkMnzmJU53SW1yATQeaJAo9UbBeZBwYxyEPhXzeiILjBa9P9u52xWHYWhOJ6FWDrDLG6wQW67iAwZqFXTIga6Sr0LsVoFgwhuZyfcR/Atri9xH3F2k/hRpsMMzK52uFkUGpKov/zPyUl6rAPiLpM2b0ywjmApsAMyS9ZmXYp0jx/NS/RMEgieGHHmCQu/R1JBKZXmkhQ0z6kVo80VFqz4AaXyWdNCvXHRFDHYKFgHBeuJ4WnVPFr+4LIzt89p2ytYhsdtldPQw4o4b6cFUpqhCXRMHOQPl2zNvYfVjF0skue1YNt5+izavSqPw/k3GFq7soyiAzCusEDQBQcqn98uMoWiON/ACqdVLntrJ1gvaIKFysTi7X6ABY/U5fF+ggWBGTLnRK0gkpfU0JMXDuL2S3kPG32esOLC7idf2gS1xqk3XPvqx7xqh1cAnIsAAdR0zQiL3cKSjswcYTVXWADoEX2PB1iyrgzfgltYZm2NHnOEtXNbNOPQYWMpB7EgoXIrLUJOE0lY1FwPP4SYvhuee/uoT+CU8wgsPLyGFze8gbUS3gLpu9cbWK/SwLdurWCt+y+XUbFXWNKubYT28bcJ1tYjGkJlas40KI3dxFjFroS1Im7ih7UG1uStTpoxDuuE0tsp4ZmWeTYEelUkfiLICn1XH+N4bcf8pNpK7fVvhWkhj1DNSi3gUouCrUCCDS31dv0KbFh4DZ6JtwAac6kdJhpYctL7P/ud+TXO5rrdgRllOLfPUiSbWpDWUVEpJum4112TIQnPaXFVvajKiAp/acsGL4xNrYCeMiEDp0PuVSUCcMdIrMv4THYxzZSQ4JRVsn/WK+Z0FjiDASNSQMucEFsDMBa4UWPpDRbVZdanDioy/0tDA0/J178lzCHVy/zDHhoOA5qoT9QbZwT92h+qCnjTGw5tHvmIZlNG1EfgzuVBYKVc0OePw79/VFbT3J/Vx7HyB6z/FtbnT18epfz4ev8/7nmccmdYPwEW9W1Rl//DtAAAAABJRU5ErkJggg==|thumb|none|300x102px]]

The router outlet serves as a placeholder when the routed components will be rendered below it.

The corresponding component template looks like this:

<h1>Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/heroes" routerLinkActive="active">Heroes</a>
</nav>
<router-outlet></router-outlet>

Define a Wildcard route

You've created two routes in the app so far, one to /crisis-center and the other to /heroes. Any other URL causes the router to throw an error and crash the app.

Add a wildcard route to intercept invalid URLs and handle them gracefully. A wildcard route has a path consisting of two asterisks. It matches every URL. The router will select this route if it can't match a route earlier in the configuration. A wildcard route can navigate to a custom "404 Not Found" component or redirect to an existing route.

The router selects the route with a first match wins strategy. Wildcard routes are the least specific routes in the route configuration. Be sure it is the last route in the configuration.

To test this feature, add a button with a RouterLink to the HeroListComponent template and set the link to "/sidekicks".

<h2>HEROES</h2>
<p>Get your heroes here</p>

<button routerLink="/sidekicks">Go to sidekicks</button>

The application will fail if the user clicks that button because you haven't defined a "/sidekicks" route yet.

Instead of adding the "/sidekicks" route, define a wildcard route instead and have it navigate to a simple PageNotFoundComponent.

{ path: '**', component: PageNotFoundComponent }

Create the PageNotFoundComponent to display when users visit invalid URLs.

ng generate component page-not-found
<h2>Page not found</h2>

Now when the user visits /sidekicks, or any other invalid URL, the browser displays "Page not found". The browser address bar continues to point to the invalid URL.

Set up redirects

When the application launches, the initial URL in the browser bar is something like:

localhost:4200

That doesn't match any of the concrete configured routes which means the router falls through to the wildcard route and displays the PageNotFoundComponent.

The application needs a default route to a valid page. The default page for this app is the list of heroes. The app should navigate there as if the user clicked the "Heroes" link or pasted localhost:4200/heroes into the address bar.

The preferred solution is to add a redirect route that translates the initial relative URL () to the desired default path (/heroes). The browser address bar shows .../heroes as if you'd navigated there directly.

Add the default route somewhere above the wildcard route. It's just above the wildcard route in the following excerpt showing the complete appRoutes for this milestone.

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
  { path: 'heroes',        component: HeroListComponent },
  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

A redirect route requires a pathMatch property to tell the router how to match a URL to the path of a route. The router throws an error if you don't. In this app, the router should select the route to the HeroListComponent only when the entire URL matches , so set the pathMatch value to 'full'.

Technically, pathMatch = 'full' results in a route hit when the remaining, unmatched segments of the URL match . In this example, the redirect is in a top level route so the remaining URL and the entire URL are the same thing.

The other possible pathMatch value is 'prefix' which tells the router to match the redirect route when the remaining URL begins with the redirect route's prefix path.

Don't do that here. If the pathMatch value were 'prefix', every URL would match .

Try setting it to 'prefix' then click the Go to sidekicks button. Remember that's a bad URL and you should see the "Page not found" page. Instead, you're still on the "Heroes" page. Enter a bad URL in the browser address bar. You're instantly re-routed to /heroes. Every URL, good or bad, that falls through to this route definition will be a match.

The default route should redirect to the HeroListComponent only when the entire url is . Remember to restore the redirect to pathMatch = 'full'.

Learn more in Victor Savkin's post on redirects.

Basics wrap up

You've got a very basic navigating app, one that can switch between two views when the user clicks a link.

You've learned how to do the following:

  • Load the router library.
  • Add a nav bar to the shell template with anchor tags, routerLink and routerLinkActive directives.
  • Add a router-outlet to the shell template where views will be displayed.
  • Configure the router module with RouterModule.forRoot().
  • Set the router to compose HTML5 browser URLs.
  • handle invalid routes with a wildcard route.
  • navigate to the default route when the app launches with an empty path.

The starter app's structure looks like this:

angular-router-sample
  src
    app
      crisis-list
        crisis-list.component.css
        crisis-list.component.html
        crisis-list.component.ts
      hero-list
        hero-list.component.css
        hero-list.component.html
        hero-list.component.ts
      page-not-found
        page-not-found.component.css
        page-not-found.component.html
        page-not-found.component.ts
      app.component.css
      app.component.html
      app.component.ts
      app.module.ts
    main.ts
    index.html
    styles.css
    tsconfig.json
  node_modules ...
  package.json

Here are the files discussed in this milestone.

<h1>Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/heroes" routerLinkActive="active">Heroes</a>
</nav>
<router-outlet></router-outlet>
import { NgModule }             from '@angular/core';
import { BrowserModule }        from '@angular/platform-browser';
import { FormsModule }          from '@angular/forms';
import { RouterModule, Routes } from '@angular/router';

import { AppComponent }          from './app.component';
import { CrisisListComponent }   from './crisis-list/crisis-list.component';
import { HeroListComponent }     from './hero-list/hero-list.component';
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
  { path: 'heroes', component: HeroListComponent },

  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    BrowserModule,
    FormsModule,
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
  ],
  declarations: [
    AppComponent,
    HeroListComponent,
    CrisisListComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }
<h2>HEROES</h2>
<p>Get your heroes here</p>

<button routerLink="/sidekicks">Go to sidekicks</button>
<h2>CRISIS CENTER</h2>
<p>Get your crisis here</p>
<h2>Page not found</h2>
<html lang="en">
  <head>
    <!-- Set the base href -->
    <base href="/">
    <title>Angular Router</title>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1">
  </head>

  <body>
    <app-root></app-root>
  </body>

</html>

Milestone 2: Routing module

In the initial route configuration, you provided a simple setup with two routes used to configure the application for routing. This is perfectly fine for simple routing. As the application grows and you make use of more Router features, such as guards, resolvers, and child routing, you'll naturally want to refactor the routing configuration into its own file. We recommend moving the routing information into a special-purpose module called a Routing Module.

The Routing Module has several characteristics:

  • 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.

Integrate routing with your app

The sample routing application does not include routing by default. When you use the Angular CLI to create a project that will use routing, set the --routing option for the project or app, and for each NgModule. When you create or initialize a new project (using the CLI ng new command) or a new app (using the ng generate app command), specify the --routing option. This tells the CLI to include the @angular/router npm package and create a file named app-routing.module.ts. You can then use routing in any NgModule that you add to the project or app.

For example, the following command generates an NgModule that can use routing.

ng generate module my-module --routing

This creates a separate file named my-module-routing.module.ts to store the NgModule's routes. The file includes an empty Routes object that you can fill with routes to different components and NgModules.

Refactor the routing configuration into a routing module

Create an AppRouting module in the /app folder to contain the routing configuration.

ng generate module app-routing --module app --flat

Import the CrisisListComponent, HeroListComponent, and PageNotFoundComponent symbols just like you did in the app.module.ts. Then move the Router imports and routing configuration, including RouterModule.forRoot(), into this routing module.

Re-export the Angular RouterModule by adding it to the module exports array. By re-exporting the RouterModule here the components declared in AppModule will have access to router directives such as RouterLink and RouterOutlet.

After these steps, the file should look like this.

import { NgModule }              from '@angular/core';
import { RouterModule, Routes }  from '@angular/router';

import { CrisisListComponent }   from './crisis-list/crisis-list.component';
import { HeroListComponent }     from './hero-list/hero-list.component';
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
  { path: 'heroes',        component: HeroListComponent },
  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
  ],
  exports: [
    RouterModule
  ]
})
export class AppRoutingModule {}

Next, update the app.module.ts file, removing RouterModule.forRoot in the imports array.

import { NgModule }       from '@angular/core';
import { BrowserModule }  from '@angular/platform-browser';
import { FormsModule }    from '@angular/forms';

import { AppComponent }     from './app.component';
import { AppRoutingModule } from './app-routing.module';

import { CrisisListComponent }   from './crisis-list/crisis-list.component';
import { HeroListComponent }     from './hero-list/hero-list.component';
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

@NgModule({
  imports: [
    BrowserModule,
    FormsModule,
    AppRoutingModule
  ],
  declarations: [
    AppComponent,
    HeroListComponent,
    CrisisListComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }

Later in this guide you will create multiple routing modules and discover that you must import those routing modules in the correct order.

The application continues to work just the same, and you can use AppRoutingModule as the central place to maintain future routing configuration.

Do you need a Routing Module?

The Routing Module replaces the routing configuration in the root or feature module. Either configure routes in the Routing Module or within the module itself but not in both.

The Routing Module is a design choice whose value is most obvious when the configuration is complex and includes specialized guard and resolver services. It can seem like overkill when the actual configuration is dead simple.

Some developers skip the Routing Module (for example, AppRoutingModule) when the configuration is simple and merge the routing configuration directly into the companion module (for example, AppModule).

Choose one pattern or the other and follow that pattern consistently.

Most developers should always implement a Routing Module for the sake of consistency. It keeps the code clean when configuration becomes complex. It makes testing the feature module easier. Its existence calls attention to the fact that a module is routed. It is where developers expect to find and expand routing configuration.

Milestone 3: Heroes feature

You've seen how to navigate using the RouterLink directive. Now you'll learn the following:

  • Organize the app and routes into feature areas using modules.
  • Navigate imperatively from one component to another.
  • Pass required and optional information in route parameters.

This example recreates the heroes feature in the "Services" episode of the Tour of Heroes tutorial, and you'll be copying much of the code from the .

Here's how the user will experience this version of the app:

[[../File:data:image/gif;base64,R0lGODlhkAHbAfY7AHNze/f392Nja97e3u/v787Ozq2trYR7hJycnJSUlNbW1sbGxufn54yMhFJSY729vaWlrYyEhEpKUq21vTE5QikpOYyMlM7O1r3OznuUnJSlrb3GzkpKWhAYKSEhMYyUnM7W1r29xlpze7W9xsbW1jlCUs7e587W3py1vVJjc+fn3r3GvVp7jHOMlGOElFpja+fe3oylrQgIIb3W3kJCQr3O1jlKWs7n90paYzk5ORAQEAAAAAgICEJaa1Jja0pjawic55zG3gCU563W3jm151q152O9563W7wCMzhil5yml5ymt5zGt3jmt3kqt3kq153O93nvG54zG3r3e73PG54zO75zO77XO5zmt7xhznJy91q291q3G3lKU93Ol/3ul54Scva3O5wAIGFqEzs7e/zFalEJjpUJrtUJzpUpzvVqU/3ut95zG/0p7zkqM/3Oc51J7pZytziFalClalDFrnFKErWuUvXOcvYSlvYylxmOc/2uMzoy197XO/wAAAAAAACH/C05FVFNDQVBFMi4wAwEAAAAh+QQECgD/ACwAAAAAkAHbAQAH/4ABgoOEhYaHiImKi4yNjo+QkZKTlJWWl5iZmpucnZ6foKGio6SlpqeoqaqrrK2ur7CxsrO0tba3uLm6u7y9vr/AwcLDxMXGx8jJysvMzc7P0NHS09TV1tfY2drb3N3e3+Dh4uPk5ebn6Onq6+zt7u/w8fLz9KAMWi51cHV4JvX/AEcNyINGDp0yBw8iBDMjYLstcspEnENxThmLExHCsaOhhkNHeBLSMUOnZEKEZe58rKYFxSQuCE2OlBmzZMwydfwBmwEG2IA6CM2gPGmSZBk4DFZC4wKHTp5JWxIaPWl06kk0DXuZAFrnF4GmNW2WnFoTDgGlzBQAPfhUEkyiY/9lmqxJ0kxSXQzsoHTh6+tBNCjLoMGTB8UdkUN7ok2mAHDCtpGiipVDuXJEykERQ75FAI3Irr1C3qSDhoshMFJN6lxs7EoZkmxfptaQaAZYkWZzdZ5Zhi+vxqPrnD3ERSxC36yLzZhLR3GktwntLMpTdORqW51rgt6FZzSau4hQ0Pzu6OxwSwTSK0qvHv35SOrfu5dfnv4k9vYJXRE6c/Ojt3stwoBnQ3nUCH6oEHjQdgfmB4mDiTgGm2mLABbRQRQiMsMdcBiFRh13XGfIAHbccUeJg9Rghwt/1RFHIQPc4cIcI8Hh3yAEmKijAoIwwGFJH7rkCAN41DFjSXC4EMT/IlpowFEdWgyCzxkH5SPkIgQU6SEcd/CYiBYlyhiGlEZWWUeGhOShQVNicXmHBjcmItlMKi2ylk1brJeHC2g4lk+chHCh45sGFqIAR4hGKQg+dkjYmx0lOlfIFi7AgVCfLiiq4ZsrtjUCUGZwCd4iy52U2yJ42IGHFoUeYlsZo53kAhka1uQCAz7WJFiVw+FhUFiCZUXIgCc1RB1cwQp4x2g3CcZFfsuaRNtPQ7U5gCLizWQTYCmNSogdYj1lgqViJeTCDYV4Vq6udTZS3FDIRTgWQmgSQgB1zIp1pSFxlNvqICZUi8cg4FZLE4OCqKWrSGj8K2VZAYg3GqCGaAGr/0nxXhISTcaVlOkhASeExgm36UqSCz+JRBYdsxaSXUJXRAvsX/sWYoJVMfGXkAboGnIYSndoIRJvM5F3SMGIGQeHiILwiVIeNTgm8lAIryXYa8a1y8gWYWl9SGNDMx3AAOTGSlYd3goicUJ5GmKCQUYN3DRNK8NRCBewVRsYGnGiMBUcUcUq7CIsOlYGxZHkMRSsntVlnMMh/2UVYDQyl3O55rpME4t0Df2a2CZUPtLlYpFEm8+ZJTlT3sx5LQi+zCloE1KG6IWxgqwbrrXU+crheiLFHXTyerYndOqwVI6nLmK0F9JvUW0XMsPicgdgO9axokHI9EOTpq1NmkqpMv9zQqEBISF1DB29JcEPdccMuNZw56VeDnLFunSciesVLsB9FR4KIIAJCuahURFgKvwxQz8YMAAtGK4kCAsAsT7DBVyZoDvMkZQgokUUF1yBAAPgwgPpcDxBAOgvWrCgHX51kOoRrGMpgd89knYrKaWqWnXIAx7wUC9FnPAoW+BCEIUoRBTg4UiJOQTnPKSFATBAAc8TyekI0a+h9DAAkWvhILZgovHsEAwvGkT6bGKGLoHQgfASkcXWVRPfPUJCB3GYJHYDGzTULAAcXFAhTiAVhCDsXUMLXwCWN5L6SVBdNakZH41TryraxAXyqcFQSCIimSXEayagmyEHWROjDeL/WDbZpNO0Jcj7XWWTpTIK4oDXOVgFBi6wIc217uadWQKMd2WoFwpEVwY5vk14zTHEA6VTMWA6xWY08Zrf+kgaI8FhDld4hOXkGIkaEIWYhrAaSVrFPZmcwBCxrBLqTtKq3dwEm4FaXMYQ40lCrPGShThMXCJovWpd5y1GGcEhrEYHdNZzLhmbWyxFFLKYrBIRkjFY0liXkE0KomwlsSUhrKkd5xHtit1ciMvQkLeActIm9FQcShAmtLB4MEXnI4Qxe4kJftJBottjFyEix7hDEMgodwRlSdBEAPKJLQAdksl5+jUVQeJIdiW0JB3CWAjFxQVNG7tU2gIAOxIWAlwn/zFqAFCzrX/tZy4HJU5qiHKpxS1IbKUyiQbRNzrrULF0+nRbtTS4m4REkKZ0WN8gGBCXMhhyjUbJZSU4Rs1H8LWjiSBAGtp0Hu7FZIroGw3TtkAjo0zAXlaxGyJEUxdhcQ5IMCWEJcswOA5u8xDHQkmr0hcTzRoCOoKR6ChHIkenqlZ6E3tJvmIZFjr4zqGfFB5CBue8yiFkM7uUyRV/GbeNyqpik/xpyfblSCRZgkqZ0SokNmBcOtyREC5gXc+wmLMyuFCMmSlD2n64pL0ikmWJWBtCCtW4g7j2EO9EyL44iBCxrW2n4DUuGrZA4AITmKsJ+SbBJHuIbP2lXsvBXv9YDRE4k/TpwoszQx1CG89OAjdh5YpXdVkqV7HQVWr5G+dMUMCFFhNYiFtgHTqzBTRLsEgkE/7S4q44CEuioX6mNOgh2BQT4hgET/bC3e8EEYTLta2uflSEa3ijtZ+R5Mf4tYhNWgUY2FhFLlgbCZqwGhMOx6Fa/8ri4XQ7L9+AMAgc+1giiieYqQqip3ljkHh0tlwWBjPJ84rgHXSGEjN0Vy6kcWcCl2oJDGaOESqqQWhRcOSSFBaPf+nvIPg4lO+y1iSHqDBJ9tVTsSw5AFwTS9v4mhmPpohGMZEUf7FsiD0nJEOsTlpJKie6hIRvlBwF7juF4lXW5ZgQCS2J1wb/wLuD6BV9OmveIfh6EgZV0TEbOMSUbXJecx7EnwG4cfd2Xa45wIYQDtavJe6Xs/smIlpmGIwthcYfwb7bw4PoJknitBbY0OeH6xvQTU5d0pk8+b30TJFMe1wtDq8xJq3iWKXpcAY5nCELZsA4xsNH55c2eGj/cmxJjj0IQB7HEKXKDB2yrcS5tFNzU2EQKOl1iBGk5sSfqR0wESK6i5ek4j6ngzt3bAkGYPfWWCKkvQNQg8oJRbuCuF5EATYapkaWjP8+MkLC5206pEHHYsmQgnCiiGSvmeFx8a/Tlz5IYOZEAXCPu9zj/h4yyxK/k0xzekluwsuBm6rrQoPYfMxh/0EMIMToHlpcaXmSbnP0kSqm7dwnD/fxBgCwJWF5JcI7F3cbAl8eOs/hB64Icv2lsdXy9NBCnZrLHlXrkEREVemwmvR52UGmpUNpZSW2hwMYvbObxGw9Dt2wF8KUj4EKYly9vMei1uUKZv1NNvM8rD07YqNxvFgimNqpR+KdGLqEyElyh/wAEp6EkB0d8pNJw2ngPJETynfL5hni6Kq9PapLTH7K+b+A52dIdwhfMRTmI1oqZ3mD8F8ktkEigTICyAD5QWdowGEogBKeEXLUIxtD8XcBoABWQRKLV3KLQzGfpWkJiBhaBW9aBGgBwnijw2MQGB5ktHKYYHcawTRVFf8T3jJzx9RyVqQf5WJ1YsQcWXcS6+NtgOFRh1dthKAANOF5gmBNc+E1syZsWkZzD3MSV1QHaLAPKPIt5TJV+UUH/zIFvMV3AQAdBwFZhTCGI+EtAmcS0taEcWFVQxcuQ4YY2jcTEVRqMRFSJGQkdtAqFjMVPAYJuTYZmYICWyAaRONdI/JAZkBc2CcT7sZpNuFpmVGAk6IrXMcxZWBUQSUYcyBIK1Rva0VtrzFfHbYtwGVrltaEhDSHTNcsGTNKJOFwi/MvYFNjbhEUCMGBD0VWrnMYMWcIBDA/oSg9mSUf4KdRhWB6R3EIplUGNTNBl/Ie4EeDmGACI3Q5ZjMHCYf/YGOBAsPhI0RDWrgVF1rlUv8GjHk1LOo3cnehFuXieWAjEiFyZ1oQTnRQjKeUZVoYT35mBprnhiLScRR4OZpneKkxgQFAAJQoJ8mkCE5YHQ3jXNohLFfQbOBGbfV2Lj1iSbCxVp/2e8KiimOBB/Uodf/YhkSXCTMgiaNBaCzjIJ9mgXAAB81mBkZVUAehiVj3WpW2jEcVGDExB31CZGIxkXnAS0iSJCx0cuN0Za+oMj3EJrihOlZxI3YHkcUHccJULl34If/RQUxiVgElSR2zk/0TO1O1QtURbzx5KbxzXng0GnzSJ2nSMV3YIen1crZGEoc4R7bHHKB4anfWfPgT/xPf1U0lIYSCMEa7Yn+qJo8ysSLzgj/fpTbpOFZ+ZB9ViHfGZyhHhyw28Xf9530wOS8OA4BtNY2OoIZmIIzAJxaSeX4fSICF14tj9Rf2iBJ4iXlEUXczg2h04FBj2JCZwD90oGUnIQdocAeX9laxQjU8FjCBoYlD8Y5ZlWTwEgB4AJWGhgZQF4V1UFmIKRgUo1QUSBTMaXhyuTD9gQjXgxDvKRIOQyy9tX6zeTFUqQjtB6BgOVMrpDdxUX4+pGuwUgcNwVqAgZcBMD8ysUl+g6AKUQfCFpOesCGNM50mkFLFBBcDJqAWRgft6D2J9lqXUhJHGBe1aXjqF3uNEJxEof+g7wYkd1d86nKINgovdoZp3lOgdwgk1ESZFiiiTGdhKdEIx7I8rkYiHcMyQWovABgTmlI8PXgaZEVr8fSZdHCIQqOi1SkLDDADLVYDVYoKByQW8TIAV7AFM6Ck0pOmP2UKU8AFI3AFdxoKDHAFLRait6AAgMoFfYoIEtliH9YINdBic7oIA9CoXKCmyTFtsmOblZqpSuGH36apnpqpxAIbrvappPoP3lYGmFqqqvoOcTgSqbqqsKoOUAZfsVqr8dBTG2iruvoOJjADJ8Cni7qrwjqsxFqsxnqsyJqsyrqszNqszvqs0Bqt0jqt1Fqt1nqt2Jqt2rqt3Nqt3vqt4Br/ruI6ruRaruZ6ruiaruq6ruzaru76rvAar/I6r/Rar/Z6r/iar/q6r/zar/76rwAbsAI7sARbsAZ7sAibsAq7sAzbsA77sBAbsRI7sRRbsRZ7seyAHxq7sewBgenhsQQAshw7siRbsiZ7svgBsiqLsufDsi67si57siLLHv06sjMbszgbszdrsjAbsjrbsSnrIDZLsjubsy+LsvsatENrtBvbsxorskVbtEx7tAiCjCw7s06bsz0rtR8LtEk7tTwLtEs7tVkLti4rgF1rtjIrtmpLs/katk/LtmV7tW1LtT6btnd7slartEy7tXXLtXSqrnU7uHyrtXJLtiSLtnZL/7gly7Ui+7aFy7iSO7kou7KKS7lwi7NFC7lNW7IRSbZSu7m4oh6Ai7kb+4CdG7I3O7qma7Sca7IbkAEuwAItgAJFewIsMAKJmwExELNjowEZwAIskAEY8LlGywATEEBte7kbqwAu8H74MQC127qui68yG7wagAEbgALDOwAcOwAaAAIliwIhELMz4AIZgAIXMAIawAK0wbTOiwF1e7kz67zQyx72S71rW7X3Grca277yi78u8AEaa7wIcroca8D4oQAtkAEQ6LHtK75Iq7HOWwAsq8Cnu7cc67y9u8DPW7W+G8JIa70lOwDPa8DIa44M8AEYAAEZMAID8AEkkB4YAP+8MTACEOwSBKAAKPABMYAC3pu3BGAALKC8HdsRnzsBH5ABBnAC7KEBI0ACMcDE3zQAwZsBGgCBA9DDGgDE6QG+CgC8G1C402az+Ru9H5weYcy7E8AeNQwCGvAB/rDFPmy7+FEDwNsRHTsCU5y9GFzAJEyyK1DEJDsALIC+KDACCpC7BIABwzsBMeC+6YHFOwwALoAC7evAT5sBmly42DsBLuACF5AeAIC9GoC+A7DFzzvGDNACLIACEBDK3mvCLPAB5Ju6zEvBaSzA7xcAIDC7kDy86TECwgu8A+C87nvKt3IWEyACGTABGSAC79u+XRy8K2Cyr8uxE8ACO6vF6Bv/g7irT1MckQEQxxBIyRvAzRGpABlgxB/bAllctNsMAne2xBAoyxE5zyDEAhcQACpgzD0CzyCEvv78x+3hMoWLzCKw0Cyw0B8cAC3wAeT8y/pEzEJCABnQAteywwNMALh7JfrcAgZwZ+nrv27bv2TMvVJrwve7yLprAJfszhidxTXAAgngxJ3LALvMsZwMAidwAjzsAjyyy7grv/GbHu6rAD99AijQAgzEApeFzRrcvOgLAjVwASRwARvwwY6cvD/Nzu9HzMprwub4xLeyzQvw01YN1RjtAhMQxHobyCNLzHDttvvcxmrMyAwQzYccvpPcuwzAvcJLvE3LyTdreLMr/7wioNgescuGrLsVDEKL3dANvdipzM+pe9L20s1nzB4sTQDErNiL7cwBQNd5rbvssc3gq9iULQLmeAEtIALom8Wem81B67yojR8o4MBkjb+M/LHQLMsYTcBuvMS/jR+nfLPPjNEdHB+k3NIsMMZHbchR7dwm7BFSjdAju8j3q8YfTMwFoAIKbNocjdfpwb1bzAJ1bbwdCLzoy7Ega9ubDAB1TQANzEAuYAC+rbsaUN0kwAIrEACUrMTqYcXE3bEgANXsvc1jHAMAsMA4TAC7vMjXHNkSngH4AQJjbMijTLIJgABsiMEgy8G6TBsffWcBsAKjTN5W3N2GTcxj/LGKvP/X2E0Aqo23/GuvJs0eF9C9AQADBGDJ4mvC+p0e4VzOhBwAROzEvEsA6Vy+HK3DQEvN7DHImlzTxC29kCTh0A3ZLlAD6bEBIoDXhty7hizB8I0AAZAA8lGyJO7BvfwBLAAC4t3MukveDBDL2aYCD8ACBoArqCxBAIzRTj3JnTyy8r2xGCC7iZ0BYL7P0N3GAxDJoezWhh6ygu3KtN20TU27fQ3X0Ozp7ZweLtDcCiACurvXw4srKDC7s/sB3rvI2A2zDDDSCOAtbu6+IsvdH0vptAu9N/6xp3zIbJ0eIBC8s9sCqH3sol7jiC7XO/5EIHABJ6CyJxDEuAICcK3U2s7/Ht2uxhcAAu68ulb97Xc7AFatACAr7giO7T7tsQNwAhdgxAwAAqE70myu3U1b7zLN7wuc1XCN7vU77fW9wwSfstzezTler5VLtHHrsQ8ctAoP30K8v6wLtRX/8EQLAWve5g6Ptxhv0lkL8RVP8hGP4wtPrzuuvyw/uXm+5gMQAgXQIy1PvYle8zjft2L78hDwAgpgACEAAABQPznPuDfvtyB/uEm/9HmL9E2v9E/P9HPr2RwPARUgQVcfABIAAA5gwUUPto8L7V8/9mA/0lYvQR0gCB2wAAEgAArs9HAP9XHP9IAs9mR/9zpr9hQgQTIgCDKQFBxwZ3hfvTc/+IYP/99mf/UM0PcBIAPXEviHn7M1G/mUj/gdmACCcACCAACCEPgGXfl1X7PkbB6jX/qkf/qmn/qov/qq3/qs//qu7/rvEbIjrQieH/uwn/u4v/usj7HUQAAiAAAWwCOulwi37/vFigDDAQEHUPvGj/zHygCcLwghUPyIcPzQP6wDoOaOgP3ZL6wQYP22//3HetON4ADkf6wH0LIWkP7GKv2LsAGF5/61WgDOj4zTT//FmgAZAAgBgoOCEQSEiImKi4yNjo+QkZKTlJWWl5iZmpucnZ6UFw0TDIIbCR+fqaqrrK2ur7CxsqoKAAICBrO6u7y9vr/AwcLDxMXGx8jJysvMzf/Oz9DR0tPU1dbX2Nna29zd3t/g4eLj5OXm5+jp6uvs7e7v8PHy8/T19vf4+fr7/P3+/wADChxIsKDBgwgTKlzIsKHDhxAjSpxIsaLFixgzatzIsaPHjyBDihxJsqTJkyhTqlzJsqXLlzBjypxJs6bNmzhz6tzJs6fPn0CDCh1KtKjRo0iTKl3KtKnTp1CjSp1KtarVq1izat3KtavXr2DDih1LtqzZs2jTql3Ltq3bt3Djyp1Lt67du3jz6t3Lt6/fv4ADCx5MuLDhw4gTK17MuLHjx5AjS55MubLly5gza97MubPnz6BDix5NurTp06hTq17NurXr17Bjy55Nu7b/7du4c+vezbu379/AgwsfTry48ePIkytfzry58+fQo0ufTr269evYs2vfzr279+/gw4sfT768+fPo06tfz769+/fw48ufT7++/fv48+vfz7+///8ABijggAQWaOCBCCao4IIMNujggxBGKOGEFFZo4YUYZqjhhhx26OGHIIYo4ogklmjiiSimqOKKLLbo4oswxijjjDTWaOONOOao44489ujjj0AGKeSQRBZp5JFIJqnkkkw26eSTUEYp5ZRUVmnllVhmqeWWXHbp5ZdghinmmGSWaeaZaKap5ppstunmm3DGKeecdNZp55145qnnnnz26eefgAYq6KCEFmrooYgmF6rooow26uijkEYq6aSUVmrppZhmik0gACH5BAUoAA0ALAYAYgCDACwAAAf/gAEBDAqFhgomh4qLjIaJhY+Iko2OjJGQi5eUmpSMAwQNoaKjo4gnpwokCieqiSYmJ6utpqeosLWphayruZCotrWqkomxiMLCsL23qLSxs8mvtbHTw6cgDKTZDQyutN7IxLnd4YjEu9DT56ayks7i7s2t08/s6byz4M3wydqkA6iqqH3zRU2VvF3rCppK5u4WQVy/TtGrdm9dNH0DLZo7dwJbv1AR47WTWC2WQ4WupPEiyIsYspb2FO46+EvZo3AHeyEz2XLAR5CrxoVTOY/iMoj0pD1ryDRdumXNMJl0iIymVJUB3ynw+BERiFw7BRLV2Y5XzVnUmjpNC7NSMZfr/8IiZMgOmrmosbj2M2lvqYIZJEgUWAVCWrETMwqvRTXDsK225EA0PsyRY8leukielLTTYlATPn+adZorVhQlQIAkKYKB7QkTQYBEWVWzWJImZismK3vESZLUS2bXHq2M9qkZRoKsZLgLYEV1CkD9xAWL+d8lQJ5IiWJESJLJKoc8CcL3qAIjUb46TmdwgBTVRrY3EVJkfUSSNYcAkWIqJ1/HCamilzYtTbIbEfsFRMIRQDCxUibF6EIbS4bwZZZ+SXzVyhNCKDdJWxLaE5sWD1bIzCEC7TZgNs4ZJAmDTpQEhREnYPAEFEU0EQUXRPBnghRONKHjDIXcmAgXRTDRRP8RW4wWSxFCcBGedoXMAIWQRXh4wo1aYDmEAkMo4d0TJJywhRFCGtGkAhgQscUTOhonjwI3/NSAN5tF0WEhS53AYIM3xgaFAlJ4h6YQTyRymwJhpGaEE0AoQSRzSSih3lvpMCFEE0akxt8JqgHhhBPezTBDEaJCgdhvRTyhGhcK/MnEE1EMl8iKpLBVTizdEYmLMGwCscQMAygQGxUKNLGEAsUWMawCScQYBRBcDDBAEEkoR80MtwETEK/7qTAACE0kcUpqR1jbHX9c7FcsEUkcwSy3TwzQbhKVRHMOrqW8FgwmvU5oGINESCKoAlA6MURhvCRRMBRANCFFmQIft2j/bbUokW0QUgSBqnJAFBxLbLPpx98MEXMcRBAImiqEEf/scwi/ojCDUyFURBkUM8ViAEQRkByL2HxCiEqeAkrgZkJ3Rev4FTpJLHHfCcVyC4QQWGc9m6i8kGzsfgpwkfXVqQExxBZgWyiPgHYWtdkQLxfrixFKHLFFtLkcHAtyCCbx5cWFRAEvEIN2owCCZUa0hBEgLGqI3KA+gUoQQgzaLn9HIAHzIkcI8WlpNZlAcyhxUTTDEkk02VwS5vocYyJCc8pnoVAMEO0JUDz7l+PHxFavhFEgQcUJCFITRBREZvc03LONSIIJDRqfHoM+AuPN6A3EpFUVqg3BCsqex/pz/9eEK+CqtlAq5/AJtCMGN9BKIYwoCUROywSRhQ57whC/nSv5yLIBkxBmowA9FQEEINDCpmoUPl/QZhYMCIBogPGYQlhhCUUDzqf08wTyGeEv80lNElQFrYJNoVOqQdSkCoSc3/wmO/IKnAuFsATlQK9gsAMCsk4nrMYYIQsQaEDEGtO5T83pJluR4EdCVxEXDWFlQ5hUYYLwJVjMIAgziMYTgzCFrg1BGEeAIjUuIowpBMEKVPSFKsxIRWIhgoqoMGNj/rIyWAwAAAFQABgyg8UUFYVOSuwHLb4FjMIAaxgawkRxlBEhEwArJYxESL4qwplHFqeRzBJBHiFAi0tppv8mEZyOgYaCloFQxZTOOaUqU8nKprzDlTlphQnwqIAJuIIuKaKN6ATBywAQ4Je/NAs4bIaLqBgTKscsJjKXqcxmEvOZmELFHTdJCEf4K5WPiGAvfQlMAhDlJXNhRzvASU6plHOc5kwnOtcJF3byQpMKQIAIAICBEEwARQ+ExC632U1vEscyAJ1TQANEUIYI9KAFdZtC66LQaQ6gAoNwwAcmAIAaWGADAuuFNnvZz38oJqObCWnoRjpGksKkpCg9qUr/s1JEDECTA+iAIDxAgABUwAIXEME/jCORmvKznw65BSzkMdSFcKSo1TmqUom6VKMy9alOjWpSVXEDPMZ0poL8qEACAvCBpOZmm4LoZwAGQI5OmPWsaE2rWtPqUJkGwANZ3WoCUOQvn4KVm3bVh332yte++vWvgOWrAmAqA0G4tQMICEACzLPRu/LSro6NrGQnS9nKWvaygjiAIAYgCG1+QrGYDa1oR0va0gpCAQKYgCDwKNmtmva1sI1taAmARwgcgLaTda1sd8vb3hIAArw8QApy29viGve1CNgALxdA3OM697mWPQBnK6tb6Fr3uo/VLHWxy13s4payH+iueKG7AANQ1gLjTe9xIXAByRogBOqNb28B0NheDiC88s2vbB3A3G0qQLv6DfBrJ4AACBgYAQgwr4AXDNtf7jYQACH5BAUUAAEALAYAmQDGAEEAAAf/gAGCg4SFhoIEh4qLjI2Oj5CKiQSTlJGNlpMBmoaalZuXjQsJAqUAEImFC6WsrQIND4YGAgmHDw2sBwiphAqlvIO3rAAIKqEBBgessIe4rq4OsYKkAMCECAIIgg/P3QKJs97Lg6vizIe+NDk07OwSBoUG7fPt6weFCDQRhQMS7Ov/3qnKIQEYAQH/6GmD9EACwHoSBhQCQK9iDniCKNJYaKgBjVoB8lVMyM6BIAjrUo4EMEjeyHnVVPl7N0DFgFXsIBCSJ8EmgwE/BygAsI5jSBosBxGYaUCoglnspAlaQBCYAIIIFAjlxs7oogTsBCwAOsDATImDKDYYwFar0LaE/w64U3AowsdBb9mClVCArVAGghDkENC3rWGgwWhE9Em2gEadgxj4u2cILA20yBQvIirgmj5CDQY300xOsTFB8hycJrTXmqEH7DASIuBAdNqNkDTS6Gwow11bg10HQMnbkTwBqyeSzrh7EcKkmb8ponp5UD7oAXDQkD2bXQFyVQfZ9TpIHfdD6sgLYmD+tvpDcgX4I+8RpKzdwgVLN77cUIF1aKkQ1SIGANBASwQtEsI6q+WzzyBXQSaLAYBNFZ4gcr1nAAKYHSKYBIwkAIBUFL1nCEUJWNZhAHbZFw9+Hjb3CGzF+cdgYAlGcpxwAXhkknVIxbXbitOZ1pJi3x0TAP9CB0ZSIiQZLhkkaL/dtx8+MPKHnCIegZhRDtjx50B+OXn2oCADtAPACskZQlVBSvkz2AJtYoKQhI88meddCsRGpYuEPBBcjFcykpprKpiFmyAIUQaJS/JFKgFCOeTQJJBhFlCbOxIcYECdbwLDwFXtTNqUI5LRINWek7YqqQMuygWSYNUJ0qIiO8a4m6u8BloSrwipc+mSll7i0kivJGmmLQDUlpIEgC5gZCEFKAMQQQcQSYgK/ixwCUWVhituse5BOGUAvgF6ZKFAqjOuuDupMw9AAhzgLSFEDctfT4gU4A+7gZ2ryAMOtFNjqIzgFBaPAaS6qiMobkLJxJYIaV//AX72WOWLAB9VEMUg+7rlJgMUPLKQNe5byEG71engIwRYxhHCjuRDriIRfrsoxDtrTIMx9Q08qCH5pEygYgYhdDJqFyqC53GGpClwwNAV0MB5VBYnLb8BDNCAiYJ6qQhFjh4ywKp6OiJrIc9prC5qWWJp9MAyEsJe3YgMOF2lSRqQYyGWnfcyjnNvY1sANBtQAZyKIE1g05X9nXYjkweAsapBH5Ir0f0Z6ng8lXrlUeFSFido4QgxTnVpNCiLD5jgMU6A3jaK3fjGs81X7iNrFyLXpLivSybphdA49rTrsRNTIR61jqDthFw+7OCM0uCA64L4q2ppXGsswcNd+/M2/yEhdGVIqrZXvlnPgxRsPnAdF/3o54X0SYO+sClWDAOJ+tMz1Mdz3urwYrAHsEVhB2vaUsLyqQFUKyyPaJ4AHqCCn1hGAnS5TQOC4he22GQ1B8iBeqTFjvFtDksO6KAK2ZIY0sklBw8rAKWulQMHnIcni7hbcfJRtq6Ba1y4o9l6XgjEA1TIOM76R6UAgD2NvEtcYgvhe0ITPLjFT4lPZEcGcSiJfx2CAQ3ggPIy+KIf0W07AeshIrDBwEP8R3U7CZYDTMQIx7gjAUfE10vmYUb1ta+K0VGESPbIjgrBxoyHICEdlcTIRjrykZCMpCQnSclKWvKSmMykJjfJyU568v+ToAylKEdJylKa8pSoTKUqV8nKVrrylbCMpSxnScta2vKWuMylLnfJy1768pfADKYwh0nMYhrzmMhMpjKXycxmOvOZ0IymNKdJzWpa85rYzKY2t8nNbnrzm+AMpzjHSc5GXmBDBjgVJO4VSwbswlDYY8QDwFdMAjSgAQlYwAMSoItHIABPrxyAEUOEtUVAAKDGtAAC8qgAe9VskcZEQEGHaYAGuCadvXiAAci4TwsYABhlAcYDMkgAjT6AFwpY1QL6dhMKocMABmwJ4ihEgI8iQqMh4MUDlFUAmGorJKgIgQGwR4AJGICdAQiBAp5CRqFSsJUJgCgEdIGAr6EmAVf/s8YBVhCZbAVAARZIgAGweoGrXgMeDKAqAuJZVQgg4ACxYEAGEEDXpQIAMF4TK1mngRGsutVTmsMqXfs5lQhIFJ8VSpFY4aECfI41A0g9JQMsQM9ANQAGiPgARiR6CLe2RBtglE1FE3GLs27Cqprb4FQ2CEaOCBQwnA3MQsQagAtcahSuQUAC0NJQiaRVKhBoUlV50QAJPcACeTSl16RCALo6NxG0ndiGZGu2tQiCGbfIYwM2EIAJuIizBIhAZRMwAUIsgABglMoAIiAR3ZYVcPBQwDkIZJQGfGcBFiCAMQhQAPaGhCMFyMB3GIDeBnA1lWAsbzA0OtweHSADEThA/4Qt+l9FJCAWXiMtoGi7T9PKlZ72jOwmDqCs9UrEng3QBWZoG5IHN0DEgeGOBbxV1QdHOAIZiAWLA/AACfs4AhGY6Cijmkjk9ohCQGGAkgODUNRowwCQGSswLoyM78IjvBg4hD3jGV7MDOCug3gKAgzL18g8oKp4lEV9vTVWJSd5AImILY8boAAlB4VholwAnd2k2h3j4z1gHMBuBREC1SLCoaUdBG0ZEIF4TkPBqKlzBrzs342SY9I9Km8BmGtgosn4O4mujGyq9VNVIsACrttAA/I7Z5ISucKCpKtSrtYSClcrgwsALJYHZl3L0RmMZHwtrHl8AOjCw2poIQCJPZQNGm+Fttaw5U5UU3HrVt7ia1X9GmaSMdiFouZryS3sqrxW3FUrq6q61e2Vly1IbG91xF72qj0VWlVpsBjdbfUQd7a72qhiNYN+FjS2aR3QpSrANQxY6oocKJy0EsmBZMSLVrpWITgzIuF1DnP9COEUXiBmPQpXxE84DgyDezzcTgl3Ms9czmZuaNAtX+aZIx7zUwYCACH5BAUKABEALGEAdAAVABoAAAfcgBGCg0Ykg4eIiUVAKRBZRImRggoaFwEckpKUDJcDmYmbnZ+IJxqcNhGeJqOCppcGLwknESOfoQ4AAQkAIQcGCRqRoRwAERCoASUQCBoKiMPFEBIRARXUAs6HwwfGyNYBKZ6HpZwcIsYU1N8O2YcLngQM1PIBngHF1B8ABBEb8pkBBFBrEIIAgAkP/kkKeI1fhBAcFEa6JyiAhUHtFp6b9IFVRYEVIUDwyHBQgAcXWDG4eOiew0wTMgoiwHIht0grbibSlVLSAhEvK34oMEpeMGPGZLIiEKCp0wCBAAAh+QQFCgANACxiAHQAHQAbAAAH/4ANgoMgCkGDiImKiw1AQEKLCgOMjENBQUOKChoCGpSKJ4UKJokbBwEHI5+IJicnrYkTEAETBquDCqO5JiQmrbUBEBO3ggokucfGowazBiijt67S0gonwLUJG7kKlCfV396uBhMBBhwhACECABfciq3wr/LXAAEhJQQXGgAHmtv/uYBBqLegQ4AAEiYwEDCtoUNh5QgaDDCxxMGLGDEOMhAxwIaJFTOKxKiAHIhZAwQcVBmAxsiXCma9PGhxZgB+CAKUtNnSJgIFAQYASCBzZs2XGIpa4GjTpU0DC3hiPDoTAFCpAShgtYA1AAesC6UyqIc1RE6bEAZ0Lad2Jte1NxhXjCSQgAHcgxBOYdzA8u7BAh8SCF6KMRAAIfkEBQoABQAsBgBiAJMALwAAB/+AAYIEhIWGh4iEDImGi4yPkJGNko4ElZKEAQWbnJ2en6CbmIyXiaWjp5iVqYeskZeLmqGztAGTiqO5t7umuo+uvoe0w6C2lIXAvsCsq8GoyJGyxNPOpK/V2LiQzc+Z09/Zvbyq2NzhiKnS37St0NXJ6Ofy1erroaMBDAP6xtbb8KYYCOw3L562R/XsfRpVhQgnIwoYTdlE8NCSJ7oCmDDCqYmVbAyiHAnnKKHCTpIUYAFSRIoVKkKWRKy4cWQmRFCqXCtkZVMUK1KwCDGCbQqQIBXJHTJ5UtQ4Ak+AWOlntMnSm5lUDGIkKKklAiaAKLm06YgxWxUHBdCaaQYQm4X/1MYlsJVr03uQwj5R0YgKFQYKnlgx0kSKCSI2rTxp8qTKALpFotCdYYQIEShTkhoBktnQgCc2B0R5gqVIZ6gunxAxknkKk5hFHt+gQgQLZluBpxQhEgThXVCQAkh5a6xUWCBLjESZIiRKgCBio2ARFSCJEwJGk1ApEvNxoyVj2ylqIuRJlCRSCT0sAiTJgBubWxIYsMkIxwImCNwAAqRJEZ3uePObJ8HB5F0iNySxBAOCzCCEFAEQsYQgKhA2QABKYCSFEPlhp8QMhwyQBBGsBBCFEGYRoMITSSzS3hSERJFeWFMFwKICgjCQRBFgbaIVX/Ew1ZR4hKhw4g1egQXE/xPGHAGEc5uxhlUSGFlRnhWsiIgRKeAd4eURm8G4ZCFHCPGRWyMNsKSXQ0zB4ntAUJFkXAMS2IuJQkS0lC1hGQEkc1IQoJIQQlA5EobXMQAFJ0R81MqIpwgiohBIEGrpVEsa42CgRiE10ScchoVUNHWiBAlzzh1CBRYK7GdEk08aMwAVTfBnQnVMGiPFE5tA2EhUBxayBBUEUNkVDFuxZAxzVQRg1EgmCEFsVoLQWFyAdJXKySu14ohMEi32aQsDzEYopy1lQpghAVEQQVcACoxIlyFDAPGqIT5F6F5bVUS0iSObBuDWVAwA4W6RU+gk6pwCakskmYVOwVe8KCp5L/92zQXA3hGLGIEirgRYKRm59mr27yJWAIHFY1aSSC64i1BESLlG6RRAFaIwUKa70U5FqrYFXDPESu3F5HO0RTTZnKBPFOpTtkEz4ElsicyahBCd6EmAFJ7ASEB5hTA7HxExKcCAEejx90R+PTMMtcP+KDLFEEfMsMoRHc53hJ7ktqn1FV6DdUSbAVYywBSDa13I4W1WgjcyexMywBFTOGJC3SAqcsSB5rxNDAHDKNUOLLksAlAqyZTSedySCOmJQKDP8nBBtNdOkuezDAAAABPY7vvvwNNJTAInBGCBM+YkX/jyBynfPPNfPS999NQ7L3wtADCYAEDBd+99cNMAQJf/BbV8b/75hrhOkfgBJBAc+vB/r34BAbD/AQQHXEDABVJ3Ulf8AJxHV+bHPgFAgAEASAACjqcA+nBCLmiZVwQnKMEKUvCCFswgBjeowQ5y8IMSHCAx2MeBTQgAAAFAgAESIIALDfCFMIyhDGdIwxra8IY4zKEOBREBBjmALrsLAAQoIIgE7PCISEyiEpeowwzQhQNARCEEPCAICzDxiljMohZlaAEGcUAQIpBiBaq4xTKa8Yw57GEALiApHDFgAmREoxznWMYQbEAQTqyhFenIxz4iEQEK2AAKD8AgGu7Rj4hM5AxRKAgA/FCPioykJAWhAAh0xZKQnKQmEZmAEOTwWZCbDOUcu4hDI4rylHJkZA0Z8AFUutKMDBCADQH5ylpqEQOepKEIbMlLLAIARzJEgAt7ScwkAiCXAyQAAu5YzGYicQG824cCMhABYDrzmjtcgAEgYIBCdiUQACH5BAUKAA0ALIMAYgBMAC8AAAf/gAEBDAMKhoeIiYYmio2IjI6QjpOHJgyCAQMnJwokCiacjJ6gnJudn6ajoYyMnKOfrQonr7OopaWnpJ6bA4O2pq6fsLK3i8Syp8KkqYvAobissMDC0iQM0cqbzMOgsqq/p7vIzKyl37uewtrelYWonq+twdnIoqjEpib6t+b3nLbHvq3blO6GIX6nnNVSVcvUvWjp9j0zpi1esWjlkFXKh69YMWrdanXbNU8eO33jcoEIKEwVI3fdMqKagU8BCBI0TTAcp63Yt5HGSNVzRtIYSHaquAB54u9IEieVeOKaOG0nvGzQ/oW8OqBQSHUKhgBpwlMsVJ3SFIbMt65Zz1xv/wkCzGcQoCqxZEExMkstUbdHjUCJO4QLUeG1fWMOxACEiEYSjKEaCuKkSZMoNT5JISLFcpCwlZsY2XJQgZQnTJ5AIUYCShMlT6RUfCgJrLoTR5A8WXnqCBDJQYAAKUJEyBJPUISMXbIlSJLfT5RzMWRESBIoz5meeDIWu5AoGoEqgDm7m1gh6JWnhzqj8fgBwcFDAWKkKwgmQI4UGpKkyYkgQhQBwgAgzCdbEkWMB8ISCcr1lQmFTKXOFkAwIUUQUlwYxW+mCWGEFhg6x1RyWhjiW4JoEQHEDMlBASKG9CmQRBJG1MDbVwApYJBe/eA2ViK+QZVceuolMUByR8gSHP8U/yhgBBBDcEckekw5hx6CpNkST1T+yGLWVEoxtaEU7hA2HwabDCHEarUUAQQG3CWZiClRLlEhTYc1+Q4qpCjlmFBiVekhgYZEEUSBQiR5wgxJOKYNE0mcEIUQUiAzQxRczKBEpbI8Od0yr5Bn1F4/PhOoIUsIEcQJIFS32oZoGuImFCCckBxUYiWR5AwqyrZEEmiS8CtNYEECYWnp7KImEW2pqR2vwglXBAknVKcoTm4+R58pQdgp3HWcSGHnc0l8JhIzA+zY07pBDDEOTu2GNEQQQSQJygyrOqTAEfQOsZYJ9AaBJyf40stjPccYmxIrtUoT3kGZgRXKu8lWEkv/RoUlFsxfzSwDVzIxGVKDAABAcJsyQk21UGIHy+XgOtgYa5Jd93giAgEBlDBAyrVgtQ/CK1uc1cO1tRJRPxnJc8ILgpRAES5XSSLUT7OBA+pJhJFTFTLfMB0ABeXwM9VV4GzMNVi0dLkzT0OxNY0JDghCgVfNtJ3w23hnpXczAxCw7gmC8Xlu4CnIrQEAG5wwgdi2BM6jS4NH/sooOF+jJyWJeF0BAgwI8EECAih+QWmYl+6INr1gsvPfrK8bdwAerBAAyQEoIAAEAmzwS+u89446JsAHL/zwAQAgSAUhBOCA8QPEPcAHxEcv/fTUU298AMjPznzcBGRQ/ffghw/8p/UebKD89gEQEIH47LdP/PUL4GyIIAWk7737+Ie/wAKCXB89AxbInwCpl4ANLOBm/iOe+gbIQOJRQBAEAEAJpte9BloQeAOAACYQQMH1XfCDEKhf9Sr4wQ8CIHXTA2AJSxhA6imAgyu8oAISSLwEoDCGDQyB7KRHQxwyUAA4q+ENfdhAAExAeARAgPmIWMIHGBEGDLjAASygACbicAMGgMAELmFF4QUCACH5BAUeAAsALJUAdwAXABoAAAfugAuCgieFCiYYh4OLjIMnCo8ABwgmjZaCJo81EAEpA5eWhwo1BgECoJYkhxgTAQ6fqIuPo6Wvg5WomSesAS8hAAgKIzUKoArHpK4AARkACQAbKyOWhbutL4MOAQMcCBoGJgHi4+MQi8ULARUBDJzk76UvBwHoCx0BBAnv7xPngur49O0rxwiEuAcB3xUIIY5AqYENNZALAWGAAAUBHkLMRw7BuA8IWkFMOI6BhXHHRuKTOFGjSpLkLDB8CZNcggE020Gc91LBBogXBI4UOtCAu4EQPKpMcJTcBJcjBwCAoICBggQHftJEadQAxneBAAAh+QQFCgAUACwGAGkAigFsAQAH/4AEgoOEhYQUiImKFASLjo+QiwEMDIKTkZiZmpucnZ6foKGio6SlpqeophsZLiwtKJWGBCcsI7KWGTGfAxoZLCwZGAGkEwqpx8jJysvMzc7NDL4aGBsowAOyvCCYKCGeMy4ZKBcjGiwaAbfqgwouGI3P8fLz9PX28ubv7C4fkPCI6QoFLBRJQYsMiGKZA7FuECJBidoVkLXo0L2LGDNq3EhqgAt0iyagIMDgAwYIGUYM+EBCEIZeMUYoRJFOAYoPMVBgM2SAhYJCDDTUCDjhQwYDJwZpGEEixtETAQb4yqCh0oCbGnQK4qVAQ4wVHMOKHUt2HoEVPv8tGsAiHIoRCv9qEcAAbEKMc4KoElAAwAUKcxkYOMqAMBIBaRNcuLggCIA0DeEGXP24gWQLFiggKMbmkcUHDRvKih5NujQnAhNYxAJKwGNgAgFojQjgNF0ADR8q6d2gumaGn4QYtKi6ulBqEAHSGUW0Od3x1iwuBFDRa0Ci4a3DTR9murv372IDWCteyKMGdnIN+AU+iCqDGiwSJL3F4OM6wiBOnLDpQkEA+4LQ8k47+pyjgH4noNACA2xNAN6DEEZo1ggsWAdJg+jZEo0IbWnA0GG6UGDNL8E8QhgmrfzCIQsiDAUgdLZI1NqKHIrAoWTRqSXhjjz2GEo7thSCQmAejSRIXEGSNAH/Ky5gk8EHhGBglFyFQEbeYROASMhAAJx3JAuVEQjdBAMF5FENPqap5pqRZADAToMcxKALBmRIgAZkCkICCysEoFdRlkjVjyIMgMCCg4kEkFplMQBAiAIyEfBiXCvs5cJEkmZACAiVscUYm6CG2uMF1wQAAwF9MeRRnQHWcltaAfSUVC4E8BbCkX4tUok5Xp4FTCXwQdlaCy4IMqlc7dQgyAYiZAldDNAxJOq01HbnEpMkKgtdr3FlOcBdirng7Iki/nJZVbIwoKArHcK5JLu/GQvtkSJoOBUlKLTSygfYxIVmtQAHLJoCIFxwwiIn7EQJCHAeyPAgDx95AQjGYFJo/w0MPwJCDRUjQrEiERd6MCIDnHBBxxSAIJjALLc8lo6MVBKLzMGRlK7FDbFG0sqK2HxlzTy7LPTQRBdt9NFIJ6300kw37fTTUEct9dRUV2311VhnrfXWXHft9ddghy322GSXbfbZaKet9tpst+3223DHLffcdNdt991456333nz37fffgAcu+OCEF2744YgnrvjijDfu+OOQRy755JRXbvnlmGeu+eacd+7556CHLno8gyRn+umop6766qwnB5slpbcu++y012777bjnrvvuvPfu++/AB5+cAAIUwDrxKGNC/AGmK0D889AL0IABrSuAAADPI7DA6g1E770E26P+QP/3yyPAgPDop6/++uy37/77tNNAQ/iqS0BDAZzIL4DpC8jv///+25/qDgBAGuSABgJQQeoIWMD/5YB6plOB/QwIQAjC74IYzKAGN8jB28mPfqmz3wIcUQDJDKBjJuQfDSRQAAaoYAAMYkABACC/BKCOAAI44AFaeMIEyI+FqKNhA0yoAMkU8YSnI4D9JACBIirAAAKQnwU7SMUqWvGKWKzdB1lnP/xxAnX9kwDrGrBC1EWxeKljQBRxoEDTERABtYMAAmGDOjI6IIt4zKMe9/i+La6ui50A4wrbmDoFHHAApjPAIFenRBowz3Q0hCPtoijJG8rPP3zMpCY3ycnV+bH/fvML5On6JwA6pq4A8kNkcuxnQ9YZIAcSIGQka0fJ1RnAfJ3MpS53ecVPhvB+olShBEyJOh+KMTkLOOD5Wmc/CxKwlbNDwApVyctqWvOaGZQfBArAzW52E5CbOOUiU2cAVprOhwJsHQEbAEkaVFJ2DJggAFYAA2za85747F0DG+jFTEhAAMdEpv7+SVAJ2C8HADgdGdPJOmmmk4ASwAFAJ0pQaCZHAQ44ICwlAIA65fOjIA1pcvQHgJKatKRRBOYicsDSlrp0lAU8IAIP8IAgOjKaNEhocgCQCJe69JFgxJ5LJdAAYor0qEjlpC9RB05EwHIdp0OlBFTZmjMSsp06/22dQ91IgwSoY3YLSCkCk0rWsu5xqadrKiRYF8bURTGWqNuq7NbZznfqjgA+dKdZ98rXDqLVdCLUxOraekP7MTQABTigUX/pTL3OrgAHmGJcYdnXylrWfX9d5f24gwnVERZ1isyBRQOQUXaqrqc0WGYAZjm7BOTgsKdTgPwuS9vaAi+zAVBrZ1En1dXRUAKYTM4DVhhc1MWTBqbdqWNlN4ADgvB0r7yjbadLXdvhNrCKkC5Yy6i6AcgvqzuF5XMnEUUHEPONtfvteBUggQdW973wVd11VZqIqZrwvikUaEBTl9eamg6HOmwhAxRAxkvatAEMGsALFSwZFRDyuAh8gP9kFkDDnMb3whee7wgVYUCfttSAmAzjYl0nP+2aDgHtlSlLkatarnbYwyzd7wBo6GHkjhjDOLas/Iz3R/oiYp//UyUqTVzIGno2pQLwr+oqDGQaEDk5CEipAySb4ypb+cpYzrKWt8zlLnv5y2AOs5jHTOYym/nMaE6zmtfM5ja7+c1wjrOc50znOtv5znjOs573zOc++/nPgA60oAdN6EIb+tCITrSiF83oRjv60ZCOtKQnTelKW/rSmM60pjfN6U57+tOgDvWcB4CBEaxgBaZGtapHYOpWo9rVq161MAahAkGs5tY1G8TMdM3rXuOaZjazNa937TOd4VrYyA62so//vexeNzvZzI62s6UN7Wlbu9rYfra2qb3ta3c729wOt7fFDe5c3zgAH2ABAH7B7rb0RQStWLe62yKCy7CoBfDONzAGkrNsm5vZ5u53v39G7m8bvOAIH7fCy83wgy/c4Q1PeMQfLnGIb0l1d6G3C+oNb3ZvXF9taXfHNQ4vfutM2fQROMobAvCBq/zlMI+5zGdO85rb/OY4z/nNVXeCFZFcRSn6eL43bm+hp4hDGTD5z3Tu8pwtnelQj7rUp071qltd5rFQnTlC/otW1PsX6+74x9u97qDDuxVJN/nV00Xzp6/97XCPu9znPnWMc+jd8ya5voY+b7OnSN5Jf/kknP1v/8Ib3uksZ/vEF2/xijue4pBn/OMlH/nGV37yF0edLzzOdY3zfewbB7veRRD4lCfb9E1PfDrcrg7W0/31sI+97Kuu9a6ziN747vzP2V10fbel9IeHu+uDP/viG//4yMe53dWdonaPXd4fh77PQ577tMd++LAzhNt7lvzue//7c8966jbf9Xdf5vO+z7sL+sKi0O8b5i3XtvAVb3nK27/++Me8/i/P//vv//6xgzoZ13zsJnafB3LtZnshB3zaR3wCRx5ux20PCH4UWIEWeHWqs3nyhnu7J3TqJ3p5934BN4GI13qph30XmIIquIIxV3set4HOt3f68nddZ4DaAXsouP8OOciCPNiDFrgay0eAREciBEAh7ZZ05Gd0+caAPqiD/Zd/T/h/UOh/UViFVHiFUygQqZNu6tdxHNIkAWCEvwAtfqKAzbcvZXJyASgLrpMz/NaGF2cJateEdFiHdiiHAkh2NegCMWAbqfELfXI+9iZ9uSeCh7caBnAAQ1QeB3AA7DFwB2A+hDAAkUUJCOBVd5iJmtiDGWiGYqcBBpB0RkgnOVGGHjd0G2d9/RYADxABDbA9hJCIDfCITtcA0zMQMDA9gvAAD7CDm/iLwLh2QJg6Wyd9HiiKCYgOmyeD9GaI/WYADYAAcKRrCZAAs7glLJcAEbBDupYB0/g6bWeFWSj/heQojuWIhec4jg+XeacTAyvid/SGjH2njHd3iuzGhCNIAKEIjatBYAZgAT9RAAggkE3UetOTAJJIErqoj6yyF7dkAJgiCCEgjQYAJ8F4kRgZdZ0oeja4b2K4ccq4h+12GUzodg+wQx/QkA+QAAoQAT+xAA2QABCAAOwBgQ0wAQsQAdTTGgspjbsYAQlwS6+YDggwPQZgjbSYkUq5lC1IjAl4dPEYhuWHGaYodPaGdHDYELFyAAPgk4KAABtQANe4AJFVi2QCjQzBANNTCT45AA0AAbaGABbAANDIHl7JlHiZlyY4Yu6IgF/XdUn3h+zWh5cxdipib/jIdrEyROPD/xlDJJYvGQELsJdqSSYDUI2U0JMIQAAwqQ8EUAASVo0npAAKMAGLaI6oiY6pqY6q2Zqs+ZoSiIenw4XQx4GkFwB0wW4AQBPkB3YymJinJwgGEAEwoJY1dUuf6ZKcmQGwqIMN8ACCQJYGoJas4pMnaZGtkQAZsI3beAAAEJF6GZ7iyZcJCIM1mG/2dntel55HqHRfFYr+gQAQwAAWAJ0wCUM5+SHrMAAWsJP6eAAwWZ2buQLXSAgqgJCuYxvjuaDhuZHsZ5Ujl3tG14Xxdo9zqA7DGZDPuYgYMJYRoJ8G6SwkUY0ZAJcE4JOQNZmCIJDWkwCrMQAX4IsMOqM86IIimf+Ap8iMnqcv6wachHedCvkB0wiZnPmhuqYAV2KcukaWOkkSPskA1Yikl+mi0glDBOaiheea6bilq8mlWtqlYIpsQZijvjlySuh1OuqMOZOIO4EA3PiZjsiZB6Cf0ql9ZRmLB2CiXgmlitgA/EISZGmLDWAB2EmjhrqJDsp5xkih7raHfOejsqAACxALkiozAzCpDLIAcDIAD0CLlbAAtHipjPGZLTQIBRACKjoIlxoCpXqorvqLNsp8X2iYIul+oxdvJZl44fdyMvqqvpp8doeAzahx5hlyQed8WEl/XgqbYcqsX/qszhqtyzqthpCoZoijNAiC2op2F/qr3vqtVCf/fqizdVwnb+xXrlzXfGWngPvWreD6rvCqfKnjjr5prOUHckH3oOl6rpAar/76r4KXOiOimyBorgV7sHnXo/xGrdDKsNLarA4bsRA7sf42YgSgIjiasRq7sWoKsB77sW6oOvDBsSRLsv0Ksij7sazTFRhbI7fnsjD7sjJbIyebsjYbrxsEOwq6s6/Dsz7bs0D7s0IbtEQ7tEZbtEh7tEqbtEy7tE7btFD7tFIbtVQ7tVZbtVi7tOcmalzbtV77tWAbtmI7tmRbtmZ7tmibtmortglmAibktiagAiYQt3Q7AHArGW6Lt29LTWsraQQQA153ezP7sjQiuDViI7fHgMQG/3A007jBBmzdVhwtB2yLi2yV+7iWm7mYu7mX27ma67mc+7miG7qkC7qmO7qnW7qou7qq27qp+7rKtjp3YYw2OHJ6135iZ6HwF3OxaXA3+7vIx3M+Z5igd6b1aKz6doMleH3A27yz54JouiIGa6b2OqHmcpsn16vBGXUS27AU+7DeG77gi3+yaToaCHJF53zsF3agh4pY6a5OuL286rz0S4EYl7E+95dPuaMhB301m48A3LsVu3L1W8BUpzpc2L/Xe5X4RnToF7jtmXp0p70GXMEwd794t3fOV7JD6ArJmqXg173jK8Ik/L0ljIUj1pu26sEJa3vrJ6yPmpUkSMAUbP/BNjx30MuBt4uueuiJ/0vAI1hx8uuAN1zEASuAx0uw2Gq7nFehH/fDVpekRGzEVKxyG3mjY9cC7EkYrKDECZirQ4x8JzzCJlzG4jvGUni/+5qALYAaXUcmrpOE15uKMtyAKlfDVZzHGjl+2sqBGYBIRph0INACUNIZeTdyUMy76zjFeKzHBWyjHrhxNIFIf0gmKdISGZC7aJrIcwi/EgzAjhzKUEWMw6u/WSGPxBJy2FCY0ruA7rm9C2ABIhqdBRquqIfGZkzGZ5zLuMxwagyPFjqK8kY9uemJHbsO45MAFkmWSSnKzhx3nQiDDoxv8shuZLInCPt7nkwIBBqNAzH/PiD6X9gIh+IcgNv8zM6sxiH4xVLJbrMBH+favsesDq1omiLKzKZalCw5CAZgAAFqFQggpBY5AdXYkKCMznqMwOpLvPLoArMhmLeqbmBMwMxclDsxPozBAEWJALdEU1+JkBBQJyfJ0UX5Exr9lhAQjYWqyyzdyy3NyzDNeOZsOrPbfB33bvLYhyAAE118pvNsbtfplptJAK3IEDnpmdLIlgXqliaq0XB0icBxmUON0FQtrqfTm8ibIpqCFiLAt8nBCl/oeVC8Aly5nDWVn3sBnSQBAgjJlpiYnA2jqUEZiwhG1XZdvsmxddk6esRag+13u6rYb63YpgiGz59ZlH0q/4l3+QAWYAhuOcuGfdcIvXzvRoAgSLya/IX6NtFXQtY7wZ8IMD4/cZIQoKldqdhTPT4CoaSD4Nkx/dK7HNuwPdtSiNemeIr41sAR7cWg99OyAKSCsAJAGQHGU42EcIls+Y2QxR4FQKgIys91LdmTPa+cp7HGq9vr56jKK3BkCScnzZwBcIkxOgCJaD5OTY0sOWDWeQArgJ8LKd3o7KDPh3uabdkr3L5QDNxb0QBz+pm2aAHRCI3YcJd78d8xiQ10+d+RCN9UHau0mqMd/HFDOHTwxtm9Vqm8huGtsQALMBEMgKncNGwFwOHFIamg+touneIovuKyzZdh/XOVPaxd2P/EHZfIKwe5vra9BMfgkm2tl63ZCtyMFWqm2MvjRv68TunCbSHhTH52TR4utmvjRz7lOrd8fVyyHAt4aqfiss3ltM3iX97lzqY6f6ivWM6xICflVL7mNac6F0t2L9wXch7ndD7ncw52as7men7BInvmfh7Bex7odbc634KxhmvohXvohw58Xt7oYO7oYh7p4Nu3lJ6glX7pmJ7pmr7pnN7pnv7poB7qoj7qpH5nPZugp05Hqv5fO2vprt60thHrq47qrm7psx7rrb7qWbvrV9vrvP7rvh7swD7swu60zIUBGLAAK4DsC4ABy47szp7s0C7t0L7syp7sJLCw86urQKz/yDbXyIKuiazDChs4ofUI5K3MxO267fGrc8MXgeH+rbKLrD2Mr7nLeRSedArE7VE8xTru790e70spvOyq2ztK4R28rlrdrSiIfQLc7uGYvY8+8ZIO6ePrgjHOd1hsgDm6IhO9vMqKc3gM7gJ/h1pXymZn8Jg9x2HNrbu7l+5+x6hX8q+q0J13riLJIRKq7rmnsJ8sdfEH82pI87+qxuZZ2ejX18z3lD7q8CcI8HY8c5NL8WFe9RbPsFfsbmcoduXOrmP3l4Ed8EMPwjdHwU9H8kR/gTlcgFtPgBtoptK3b/v+8/0+w1Cf9nlJ2Vl8b/VNvXtNcif77t9+9/SH90XP/8f2OLzqC+c3GpUzn3NB//RSH/VXT/WVX/FPSJ6dZ2+F6ALsqcXHapvafNAvL/aC//gQH8aGD4w+/tdt0cajCMcBgM1xj5h13INov/qwmuQ6HHpg+IdJhwFUIZVCmLjwWxyMpPoCd866r7KkjKNl14ewYYQx0A5tEQBxgbDbDcrQ2IiN2ACeeXNiudK8K2GefPlWb/nq35rqvPQhd8rt7HPUQyGhH5XnHCs6uQC8mIgGDQgEgoOEhYYEBQ0Dh4yNBAaKjpKTlJWWl5iZmpucnZ6flAGiowEfLAAuLKkiLqwiLBkBIyyqLC2iCqmorqm0sZcGGQoBgwgJDITEoYWJyP+TygSjg8gGx8mg2Nna29zd3t+CpKMxtOWsquexs7QiLRojASe0va0tr7+SzgQPB4uD1f4ILECAwICCQQsMDDBQkAEDhgaJFbCgAOLBQQUYQpigL2PBBYIeWGhQUFQBggYKgFvJsqXLlzCjiQuQYZ7NU+jUlds5gya6XrXwCdKnb1AASAOkGXNm4EBBBA02RIOUoCBJlA0iJaparcGFkE4ZkhRUIEMCsQYEQjWw4WiEpw0mECI6re5QuwTo3t2bF6/evnz/CvZLOHBhwIgHG16c+LDixowfS3ZMma/RmeRwagaqkwUKEOww+ERnD2csaJMgESSYwIK/BQdA5oXQYFj/U5WPIhggdqHBA0QH0uYlSGBAA+ECDyAjLgjgI2sKMgh/WDum9evYs8N0NnN0rZ/pAkxQFUNWhvIKWuy8GUsFakcPIlRl7VuQMUIKIoQ4ak1gBtwwxBVAIgEtoAgDDzgEQ0URUNNACAMgowxSjzSgj3G7aafhhhx2iEl3GpQDwDznnBILBiywMsEoILTQCi2lteKCUM8Eo5JD1IHE3FDH8ecMbBcNYMFuC/RHgAIHqKSAMQ1kkNUiDCBwQAMJQHCRAR/AQABtc1Xl4ZdghrkhiK+QmIqM7LyyighskvbTTjRCBpgBEQQkyAcIELBjXj1WM8gD1fG52wZGIqmAcQlM/wDDgAeoQIhY/Ty3iAEWFFUVNJNFVpmcmXK6aaegfiqqpqR6Wmqop24aDmY3yVhiLbrUMuJOrtiTymmW8GMnAw1AcJSF4cC2gI+CrBBBkEMOGCgBE1gYX0D8qPBQhohEAJJzgAaE5Ipiduvtt910V9OsO8k4K7mrnFkiUL6858ivIAwg7wC0KUlShAUkkMBU+wpiIAiCGLdiAU7h26OwDhmYwSJQgeBQswdBctAA+irAwJLAgqvxxhxbAqKIsaJp5mZqnjvPiHFK0lRWWU2JXCJTOulPNc7wE+RxiJDUMgLOSJmVBfyAFOWUWckFXK9HJsByAl917PTTUHcXw6vrpf/IbtVVv9huIYopsMADXy+wgD/OMCB2AR0t4IzXZC8wMUgFLIBbXgwU8ADaZs8dt9uExI12XmKrPaqphKNa+OCGJ4744qk2frjjncokTk2n0AMrLahUrkrmmbuQ+XcpQy366KSXngyrN5l8NdZYZx666bDHLjuY3ZmCuQtnfpe77rxfbqK7swcv/PAuSZ2iiJhXPiIqy3uu/PPkxqk45Iw/bv3011eP/fbad0/999mDX1R3KLBu/vlYv078+uy3v0l3BPRS5vHsmGN//fhbDQvw7vfv//+F6E4ASIC+AppPBOoDoAIXKDwBBkABGsiABDPQAglWkIIWzCAGN3jBC2r/gIEgDOHwHEiKcJgwGidUhgpTeA1iuBCFL4whDGcowxrS8IY2zCEOd6jDHvLwhz4MIhCHKMQiEvGIRkwiEpeoxCbykIRQjKIUp0jFKlrxiljMoha3yMUuevGLYAyjGMdIxjKa8YxoTKMa18jGNrrxjXCMoxznSMc62vGOeMyjHvfIxz768Y+ADKQgB0nIQhrykIhMpCIXychGOvKRkIykJCdJyUpKQxQ4dGEPNSkTGnLykpqMYSg7iUlQjlIckpOcE1fJxFay8pWujCUsZynLTJbSlAKsGwYKUIBd9rIAJMAACX6JARDs0pfDPCYviwmwMBWlE385xDNFSM0vRVOA/wT4gPzu94r50a9+8ysTAvnHiGk6wpxcw0s5z6lOdlbznU8TYGb0VybPAaUd+NQaadTEigRqAp1zgWY7KQFQeBrUW92ZQT3dZI4YlaMeI3voOAPKmHRaZp3f4p74vBe+jmrUoxz9KPYY8bHkkcih4GHXrGpVDn/GJJqZgKlFD0pTDemFTLCiWrrO4Sr12OSeLPgAOTFKUHcixhAyrahRa8pU2s1EA95kh09HpC59omlELN3fUGO6VIFioqBNDat2jPedz/GUF7UozZuu1h5MHYaiR0UquEQa0rpu9K4gxStd9TrQy0xOM29Cx3p2cRPw2Gp/HUqqJRR7UbE6liXjQ/8dyWLkPHqcY1ZXk5FLZ5qPRjBWqXLq7GNHmx1xtWp++iTXm8iVOVdsdrGexQZYpUna2o71qeWC0assuzrezgNXqgreXvNK3OEa167FRa7hTieOqVUuqudw0clglIEyYbZEbfXGbPvK1cZy17bgBQV3ZmK76UIUFgxYx0OLU67Lbs06AN1uaMNL39s2t7DrWZgszASCADDgoRF9LVIdQtsCw1a29U3wN0z73FixQAMBSIp6PePf/5rUTNLj7kOgQhKpTAICCHhPQRkiiCVt47h8TXFyVYziFbs4cqocRYgkeiYXQAAFndkfCg6ipnI4FLhGVQCVUjIQnEliT5R4gHD/uPQJ+Sr4yc/ATI9T2k/xzEMBuVDADbz5ohcJuDgkKQokfnOZQhAEGiX0q1GmYgHUSCOAW4WynDnB4OuyqzMjYIB6LDY/OyM2VwfAQCEWIhu1FOQiespTNDyCAA8jwgAYKMgAlKwnpSHgIgMhiOAAh5K5zfnTniDreupxj/3eApUZ8G0rMtxYqBzZKYBqgGzOvI+sPAAqIa71cQzwkH0VyTcMg7WUFK2aByit0DNtsbKVy2wWN/vF1audTT73UJ20wAAomMAEHIWCGPEzFUJd7J6eaaBhEcM5xBnAByAgEwO1JWgoJHGFiIGkYU3FQgy4FDEQQGbvgvrfjTAeVXdi/6txjkd3EaIxif7c2Sj1ixHGcJsCQEAh4hQgAhOYuDFxFoJINIdnzxkK2vx7gaU4/AHD8DfAV07SmVBuJ6p1QQsIsAKrscIFIFBBe9UTHnE/nKJKy0AEDhCBCGTgAQE4c3yKPvSi58lAAZE3kxEBFaK5BhEJOIBZEsTyrocCdbuoKoAVjlVvqwvI880NoodSkEoXpWdPj5QhOh71fjF5AW/BgJaMfSGxKBquy3a24KE9+MAT3nqr+iuNWbGLGIWdp4vvxWuRkR929003FQrIAAR3ZoJxy18Hgfo/FA2BflHKUdGACgNUgACVEIMfTva6nMcrjhn3Lmvt3WdObxXnQv80hdd5ufgHyPIWHOmLYYqGygUedoAVBABQ3GGIgxwEMAQ14AMRUr1D7iP77hsCpyRT12HPqi4zYbf3hTD2AZQWnAJlPeutt0+/BgCVkdRnH3KvNFiiAgOfWaAgB3AQJ7F+TuFp3ud9orZa7dULVIVaC8hwqcIAA3AoUDIXExghQyEv03AxEVI2GBgwmoeBEmgxefGBxSEvhpeCz6aChbeCLshcpDAu6aJwaHVSydMONgcAXyZeFyVT5jRNsXeA/1ZSZnJdPnVeI4M7kKdVQtiE6yM1U2ZAgLUevFBlTniFDUReIFNWIYNZm/OFvrNqIvaCh8eCZUiGZpiGaMhRMSb/CvOEPKtzYYOVPuiHhXYILuRzO2F4OZaTO33oOnV4h4IYJvAzh5phModoUohIC+E2iI7oNAJUA+ziU5QII5ZoC5dYie/1iJyIhwI0ADEQh1JoPkJ1S6T0Sah4iqpoiqyYiq24iq4Yi7A4i69Yi7Joi7R4i7qYi7yIi764i7/Yi8A4jMJYjKzYhpaUjMq4jMzYjM74jNAYjdI4jdRYjdZ4jdiYjdq4jdzYjd74jeAYjuI4juRYjuZ4juiYjuq4jqRwAto2AdmGAvH4jvMIj+9Ij/YYjyNAVJsQhLElVwYWX51IX7lEOd30It1EP+J0PN60kDvYVckmWpwFVwPZdQIE/1VVgwoiQ2qBBYf4JBT+qA0hWZEAd1MzcQKQ9ypUo3ApglItRU4w9VmTMJJfBZBn2II4eZM6qYbgcwhQiBPid1L5JFE+ZViMiElFdWCeEIQ+SJLhRYRTWIMNZQ6uAlTZpXJJGVw2CXgT6ZSf9pOqJlgMBXlVhYMQqB1M6ZX/9kwMthmI6DyBxVrf8ZL/SFQ0SZNNtoY5yZM7qZd9qXJkZVkP+FB+ZlhWKJHbhZdbaVQxqZaORXsxaFJoYnZTCHOsg3aKGZFY6W8hmZmOqUBQKTLkty6bAxSkJnmBCJHdVQme+ZnUZE5gyZKj9groojvupT7oJJNZ+RJ82Zt+6Zt7Wf89LScOtjNwDUhZPzWXMddzu/lSjDlQremawhNZ97VwczkjBKBe/TUKA8CApjlOqKGYz/QYdUmRzSmdjsVglqMZLSBh82ACA4BBu9OSZfKQ5xku6Elf6FRSb0lhSXFwMzcCbGJd68l7S/V8FpAAdlIcEeBxLjEB9nYJwPmXFDqhFqqV3ydlp9UK2HYL6xALSREAJnA11/VlkCBrvmd0CwoOvNJvEpmfBkWdkSmZN9cu6yBUBfABKPBAuBN+QeUuAMUP46YvDqpKcHZCMISUzFUIQINmbwajtRWYEVVqs7CEokE5ZXmWBjZmyjEIQgYxCDESH4BsGKMQCfAbzQAJFoD/bFFCJbKRCCNRKXlxogmwdlCani5Ho2gyI/t1NbthClUZFEoqCc+XJGcxevlxEG1qALdmZLDBbxy2H4lAEI26HznDb5SSJ5NGEmpDMYlya7FhkxcanKRaob+JXD6JWxJlfp2BAt1JCyTgHWX5OuZEJ/SnaFGyAQSSHHNjcl7SHM1HACAwFvInCMR6JA9irGRGIXlRJZt5p/5zTRoKFEXZLuXzo9EBYfLgKm9CIwV1FAuTLcWhoIkwMRdhNkpzMUkyCMbxG/kxN4CCCNKhAAVwAQrgJQzQpEcSJIDyd9AaVnXGrZqTASpQc6qAAu4RAC1ig3DSexJiq7xyLXlycZjm/zNKUymAgmj5GgJHkiQT0gDJ8TMsA3L3hyBZRyVI869iBZUApgsy11MtELNTClFopzJ1kmj5hqbVwQ8GkX2+FoCDECArcCQR0EyPYAEEsAERgDYdSGAEcH8IADSHkm/+aqqlOqpWm7UfNZykMDW7s1IR5VtJ6FowGUDBsAiJIK4YUB3cJwjp2q4uhCRDiyRGG69CRi0nmBdA06x/ZxwQEJ0qWzomqXhh52PJU5VohVm1yWqMQCEM8AEkIRHH8giBdjHBACzG8BtFcgAcW67/ALJ6AjTyMgEHQGZn4RAVUze4FrgAK1lC+YB7WoXrCZ6W0BT+ICW4QTAHca8j2xQTg/8ATnIcssYocwMJbNcyRqYnVLJ5DTAlQ7IUrMtUATub1epnIiOZ/lQUE1g2JHiC3HsoeUGCi7C9xiEVF+OBJniBZBO+JHgx4IuCV3uq8Tu/WkuGGVp7owZYXRZ5qmAuC2ef/agbOMKs0dt1MjoOU6a4hJk1UTUyALwJ/KAvSmOABSx7dTZ2WLOec7nBZwm4h7AQBgB8FSyEoTlqn2NPA6c8lWUToYNiWPvC8lu/9DuhMIjAsnIm1EZtN5y/zKOlI/zDkDkKByeXckjEF6ZaP/rDSpyqqDSKTkyXSxzFiScOM4B7vVOgrcIe4RnDMDzDXPzFXky/UywOEBRBE3TGaJz/xmp8xhDGjm6cjsj4xnI8x3Rcx3Z8x3icx3q8x3zcx378x4AcyII8yIRcyIZ8yIgcRql0i0ZaQlYUx2QEyTMhyQ60yLeUyOlIAhqAAhCwyZ2MbZ4cypy8yaBsABqAbTFgygbweaLKCeP5opahm2/Vj2Asw7bcxcQFZ6a1U2WJuEqoPwwFgfJVUK+smrT8rBIqxRujDwI0Lj8lu4G1v4HKnMccVzOpMR6szC/RHTWAWmjVy+yAw/rTZYdpTYv5XVkpy9r8LSW1CrtHlmZJcN10hBNll6tpnvicm6uJl7jcz7WMy/fbtbQJzr58Djo1Mo34Xeqscq1Jnl61zs5kF20Z/3lSeV45bHNM+NDZnB0bDdEr0c6bkVvXa4h+6MMr0ZnnnMyg5dEd85OLx3NXdbi2ibi4uZT4PMueudD2HMa3/M8+3ZO6PKM6vJG7FdIbzHtbrJnWnA3EHJDc0NEsbdN+RQq2VyvfFlGWWQs4SLbuodFK2S1QHdXcAH49WoTl0lpZvb8mzdQ3fZ9N/ZzILNZOVZ1UOXbSVW2phtWzQqsP3dcb4s88Ddg9XVFBLAqmcMKaY6PlEAOd9HLnhdR9Fdb3DFly7Yl0jRMGbQsMsF+wcCQVFGG7U4U7WEqpFGUkFWqDWmaV/YR5yjsyAmGbfXDlQTnvAJe882X8QHRNdwAQsP+ihoBkAQMAyJYJuW2AA3AAAEDBqy06bAl29pMKMRBB+yUCGMAAGTABI+Bc00YiNTtQ8bECWIZlHWckEFe1AYOinLAAToK3+Le0Uj3Y8C3Ygh3Qo+DYl3g8nQEw/hUN1+qjjHsIKwC0hBDgouEI8lYIQtYWhEpSeEcQRWEMa7rcI6SqmpFVnRGr5eMCi1BdvVzPlRAfdkowQ1skUZd8lwYVvR0wzVcNCYBsC6EvIkwx9JcAcRMby2IcK9AAgpYXxlYV/RbCS1IVdirhhPhUC/XOOiECsdoLK1IT0twudQgk0tCmi9BxiObgWzJkPb4ICpCg/EYbwiFkCDAB1QByWwH/5Hh3En9XJAywrvl2HI2aIbRxFsa2LETOIQfshnP4KrEg2z6h5KMhP5o1VM8EKJCrNErTALhhIFcOcr4bMIc6AMXXHLWRdCAXDT0SHbmGCACgANAnCBDwAMahErCh3/qndshw3EPLlYH90/Ht6jA21aNw2HvardPdAg4RAztKQDZHzykDUA0ewgjwFloSEstSetTgr0shZIXWrpIOAbwUN/dRbwhRtIlwI7VhHCCxeSOIAa3RHEbSI3cuJgnIrfXQGTGbsCRwhHR4CQGOGw9xdINg5cUAcrRGDccgZEYrJAah2xGgg0XHACAwuWTR6QRwqHxXvv7VFc4Lusg+CEMy/+7k3tpiez+0UiYFd5prfQhAwq73UizLguUMAQ2QIIEH0DRgNgHHbW4zlB9Gi3e2cQyRruj4lxL3Bu76kLwS7yFkhS74hIm2UCLXpYcYxj9/0fHVnmulPgj6ggy0UTZecrfBsrS8YnklpiQCnhwT8yDVoe2JpgxtCuo/lyys/uqtfvZmj3htyS4CK5m5Fc0evtSEEB9G6/ShKmS9XRFhViG9TS9d3wBrOgBrq2g8Ky88+0AETwAYsK7KmwDEYByiARV6pwAQ0KBOH+7IsfM2NcaiYHv9qfE9xXiGuPFzl/UlRiUOMiUFYQ2r0bxjevrVoPplAwlE87cdi2gdTx0cW/8c63qvRDPmN/vwxpr5mj8mRt6yrrCAK8mwg34JA/A3CA79z2+uJWYx9BoQdSOBBdC97MpLKRd8FwL92S9yZeP94L+vgHEBvl382CGlwFya40x+tCIyfL0YdFE2gIH/rF7MbwcIBAQMgoSDhYiGh4uEjYiPipGCi5SSj5WTlpiXmp2Zn5ygm6OeoaakoqWop6qtqa+nggGztAEZLAAsLC67Iry6ur+6ubu5LgC8Lr64GQGTlM/R0tPU1dbX2Nna29zd3t/g4eLj5OXjtbQxwMTD6+7BIvDA8s3m9vf4+fr7/P3+/9XQzfoQrOAvYQcRAjtYsB7AhxAjSpxIsWI5gQGT1OH6RewYR47BkA3jJVLXB2fRXLGCtaqlSpcsX8qMSXOlTZg3Z+asibOnTp88MU5gEW/jrnlH5wkrOE9kM5QWo0qdSrWq1WsYAyAdaVSkV5JgjQJzeLWs2bNo04bLOoOhrqJw38olOrdoLrJq8+rdy1dq1gADYnh0Qbiw4cOID+/C27ex48eQ1/6dFbmy5cuY9wUCACH5BAUUAA0ALJgAdwAVABwAAAfygA2CgwomCieDiYqJJyeFiIuRgo6OCpKSJo0YEzWWl4mGJwAKAJ+KJAo1BgEAA46mDZoPrDePkJIKChghrAOPh56LjRuzo7mZh42RAQS8ABcHCAELGwHW19jMvAc2AQ8CGxAQBgnZ180B3AEgFdYVECHS5ugHJQEK7QEdBAEC5trp7OGzJsPai3/oMkgIMCBfB2v+5vFiZo1fAAYQr1lwgAHgv2sREfBKkGDAxI/9rCGoxlDAyY8CJFlEGdEaAJTmYiY6gBNbTWsMPp07EKlAzwsL/n2Y+e/mPwY/syEw+hGqgmwEErDEOQGBha8JDFy1FggAIfkEBQoADgAsmgB5ACUANwAAB9SADoKDDiaEh4iJiockCgoki5GSgyeVJ5OYiScKm5eZn4ImJ6KGoJ+OqKaflqyWqosBsbKztLW2t7i5uru8vb6/wMHCw8TFxsfIycrLzM3Oz9DR0tPU1dbX2Nna28oGC9IICQbRCAEI38/lAQvqze0IBc7tAQbzyfbwzPbm6Pe2CA+U7YtlICCygbHOHcxlYJyxgQQYMCAAYMXDWggAHIhw4ECDi7EEWDSgYFk5AhICpAzwUeCABLHYBThgUsAsmgRwKCNAi2SACCWdEfB4gAE0n7MCAQAh+QQFCgAYACyDAGIAUgCeAAAH/4ABggSEDISHiImKhYuNjo+IhoeClJWDiZKQmpqZm5qWlJ6Rh52OpaKoBKCXppyLp5CZsqSKnaujra65qbWYk6CvvKizwo23xZ6wyJDHjgOLA8qMy5unq8SHJhgYiSZJRgHU4orNizNAT4lTQEYq457hn8CO6+mIJkBFqpP7hJWIoRbFSyRIxUBc/uY1wmfv0DojBAzOKELkSZQB4aw8CfLkyZEAJowQIULlBqIgFJ9YOTSgChEsKmkJBIaNwDonAQwSwqePwBEgQKA8EdLEUBSgT5aYWJevyDYFqqhsi8JEyJMADIpY3QakykFyChdN2UZWiNl8BBgkIUJpSNcAUf+EgMNKJImCnN6I+JRLKe4QtXMJLAH3qJwifE2ODFF8pAo7AkGAUBmyeEqSIgGkCJmykx2DeE+AMKDSlbEVyQSYJIkC9WtagmEVnUunU4WCfHDN6kYiZAmBKkJMEFpXBREUIFOcksXAW9+RJEC2GYFaGFRNm+jUPd5mJWc4nUeFY48SL4ARIArOm/DOKsAMI9uWSFMVu1v2e2hnCKFS3kp3zeIpsE08DCyRxG9CeEVIS1MMsER34YRXnSXBYNfQcI8F0IQQR6QVF3nbmESIEQkSchREAmIwQ1pDraREEtEQsM0zCNFHIT1WaXcVAQqEBpRnBMQlXlrnRbeNJFNsmMT/VIQcsYQQSfTW4YT/KMPAEZwhMsARwkkywxRDUMfjEZJIYsIRMwxZCJhX0LggmA3KBNaN09QZSy940mLIZ9Ss4to7gOpi4z+BFpqKYXVio6iciybK6KNzEmropPLQSemlkUqK6aYJ+cnppn5SGM6o+5BqaqmonqpqqqyuqmqosMYq66y01mrrrbjmquuuvPbq66/ABivssMQWa+yxyCar7LLMNuvss9BGK+201FZr7bXYZqvtttx26+234IYr7rjklmvuueimq+667Lbr7rvwxivvvPTWa++9+Oar77789usvs8sFLPDABBds8MEIJ6zwwgw37PDDEEcs8cQUV2zx/8UYZ6zxxhx37PHHIIcs8sgkl2zyySinrPLKLLfs8sswxyzzzDTXbPPNOOes88489+zzz0AHLfTQRBdt9NFIJ6300kw37fTTUEct9dRUV2311VhnrXQASwdgAAKfhj0JAghMkMCfYk/KgSAvJE2ABIIIwPXRAcAdgANopx1oACWwzUBreeu9TAA2CMLBARYYcAEAKQZdtyAV3MWBBQwAMIAFIay7dgAefEZBBAFMYDnj6m5eAUYUWOC1COEgULognQeQutdyE+B6uptzoIoDrocAgCC3o7t5qLabewDYAQwfavDirk1ABgYofwvz4eItSAgdyEp9uGcLchesBCTAM0/ZtVogODUWXDArAwmcT43lsj5ggM8K/B6rA/O5v0kBEMC6wNn6e1//bpGBAI7DAParBAQOMIChBUABDmgABCaAgBIYYG5FG4ACFOCmQwQCACH5BAUKAA0ALA0A5QCDAUkAAAf/gA2Cg4SFhoeIiYqLjI2Oj5CRkpEMk5aXmJmam5ydnp+goaKdBKWjp6ipqqusra6viKWyBLC1tre4ubq7irO8v8DBwsPEhAyyx8XKy8zNzpKzps/T1NXWu9HR19vc3d6Y2drf4+Tl3gQB6Orp7Orm7/DxwgH09fb3+Pn6+/z9/v8AAwocSLCgwYMIEypcyLChw4cQI0qcSLGixYsYM2rcyLGjx48gQ4ocSbKkyZMoU6pcybKly5cwY8qcSbOmzZs4c+rcybPnTAIDBpjYJFSFz6NIk3rU4OKTiAxBgyoYMLUqValXs1rdihUr169XwYIN29Wq1rNkz05VWxat2bVv/73KHSuWbN27dvPi3au3L9+/fgMDHiw4aD0NoES4iNE1quPGa7M+hjy5suXLjyNrjrqZsmfJnUFzHv05NObImFOrXs26tevXsGPLjk1vQNNPLVh8OP0adWzfvGcLHy4ceHDRpUkjXx66uXLnyaMzf05dOvTpnulhYAGKhe7JxolLnh1evPnzyleXR8++vfv3tAOMEBGKRQYVw9dfNl0dvn/Z+mX234AEFjggPSOEAsBiql2334DXRdifhNZN6FqABmao4YaqISjKd5VhGGJx6nFoooANWljhiti1SKGLKsLI4osOIsjdJy6IwNh//J3oI2wYivjjkEQK52F9u5GnZP9jjvVYpH9BPinllOjZGAqD48WYHpNQxkijl2BKdxyVZJbZm2Hy3eiJCC1AhSKH6zlppnhRzhimjHh+aeeeed7Z45GJsOBCBi54510GiBqqqKJJmheenHOeWGeklFZqZSGFsiACCxoQQKigA9RzAn2HsLAjmUJW2tqkqrY656WYChoDPRloikEAKLAwQgATIOJCoyNyWeKYxPppLJ96ppaqq8xmiBqghBi6QgAKBBADmwEUsKkLBJyg5iDeASvsZAyQC8Nvb1q2bLPgDdsnsse+K2+y9MYbHrSD5MYCCjGgEECtLrigbwYBkPCtIIrd9xoELqzwmAYZgAAgu12mSPH/xT7CWkgLmxrwb6beuQDCv4iYCpsGLLSAmgYqn7cuxuO2C/PMJuJbiHf+fsDCgoJWi/LBDSgmbn9BMcUCBI4xFRkDDKhQblTlMu0Y009HBQMD5wY7r71cx5wuzWBD6JjN0bLgca0hMxAAyr6C6DVWEKO8wtMsR8bwoBIPUAAAI8TQ8AAMrECouH5nMMGWYdPZ9dbwNs744/XGTPYgivn7aQbHoA10A97FoAB+rdWdQcsDKD1ADS24oMEHuWGgd8oZfHC4Bk8x1cIFersAQAy1fvBy4uoCLzx7GmMqguWFVovCB7zXagjHnr8GMQwTqH5u3aW7UEBQILTwAQMX2BfV/wosHP66BrZlsNYKqg8vc5ZNui//eZMj7MLZuuEzQAuGdP55/J9hSrkSwIIQZG8qE5gAfhQQAvuA73jnYsDoIjOBFWygfI5B1JsiB7nFve938wthZYpHiBwValuKytQhEga60LkJBINSAMskpgAUaI5TAwif+Qagwcc00GFRYYoIl9RBx3HwiItDIp+iQkJNQG9Z0wtKAzXAsKnoTAMjwIACvJfD8oGuh0FxGvkmkDUYYG+IrAEhGsH2LPl86AMtZI0Ag5iyFoBAAap7Ggwxp8OgMABlScvABZEWlTaJUE5qXKP86pcJHaHGQRBzTAFy4wIFbLEF28OAzqByARHssP8GnLLkFAfwARc8gCooMwAAi8jKZD1IkbB0TRMzUSjPxZE3kXTMBNh0ggFMwDu5+YAG+3iVX6bMPmu5ISFj6S4ltjKJ0DRiNOEXKjd2x22tWcEEqhaUBK5lAwnEAAzAackJiNMxIEggEKMCzgnkjZmvhGcs1zLLTJjsR8ZJJLviJM9+ji1N1xyavNDyTGka9HFRIQA3/clQJsqHVJ4olEAbKikHOGB7x3GmRqe50YN21KEJAkUtKVokGAhAEALQGknXSI8ZQNQTAFDYSn9kA3qkdKb+rEcGrnkqnHKIATSghwMW6lNF1mMGi0qqUpe6qEHdsqgGKoFQiQrVIdqDATH/0JQItsrVrnr1q2B1E2HGWhiymrWsaD2rVWAQ1AA4wAAA8GP81JrWutL1rnbNK14Jk49w+PWv2XAa1QZL2MIa9rCITaxiF8vYxjr2sY2VagAokAAFCAABALBADgEH2c569rOgDa1oRytapZh2IRyghwfURgELBAACEEiAAE5L29raViOpDUAFQtXa14qAWhC4rXCHS9yE5Ha1k3WtAWZLAAQU97nQjW4+crtb3UYgAMulh3Oly93uCje3HuNVtQYQgnRs17voTe9OpkKP3PLjvOqNr3xhgoAVQOC67tVHc+fL3/6qpAL0AAEAKOAPBMjjwAhO8Cheeyub8kMQCVCwi4QnTOFJAEBtALFAhTfM4Q4PwrIAIUCEPUziEiO4AK71hwIMbOIWu3gcBIBAivnxgQW8+MY4vkYCqrkPBwQgx0AO8jIY4ON9VFbISE4yMBTwgmrhAwEGULKUp3wLBhwAAQooxQDgOoEfU/nLYF5FASCAAARA4AFqA6ya18zmNrv5zXCOs5znTOdZBAIAIfkEBQoAEgAsDQD2AIMBbgAAB/+AAYIMAwMmhRKJiouMjYuHgpGSk5SVlpeYmZqbnJ2en6ChoqOkpaanqIIEMS4sIo6wsYwZAQS2BAy2ubi3u7q8ucG8wL3Fv77Dyce/w7vOzM/N0NPS1dHX1NjW2dzb3trg3eHf4uXk5+Pp5ti+ATEsALLysSy0t/f4+Mj5/Mm++/6M9RtIsKDBgwgTKlzIsKHDhxAjSlR4QgQLFvMyMnJhzyDAiQs/ghxJsqTJkyhTqiSo4aILjTAliOgoUCRCmyD/1dzJLGBPnT95+hwKlKjQokiPKg3K1GjTpE+XOp0KlapAWxkuxoupkVathkXBrhxLtqzZs2hXvsPINSPHrwn/cX6squ9qz7R48+rdyzfhh4ttu8IliHNs4b6IEyteTPIdgJeBZdUbPJSx1KqYL2uOytlq58yfN3seDZq06NJhs7KNLMsrw7B3LcueTbv2ypYsILOGRdMj4bqh78m1Tby48bQxLG7d3ehtYoCwj0ufTn2ianktWly8mKF7K63bw/euPBv16fPBTac3vx69+vfs4bv3tVa3ou0tCExwOSESgeuOuPZbXNUVaOCBe6m23CL1DBDACNwFAEILHxAwQCu8UVZSacIVdBiCIIYoG26OiIBCAA7ux0J/35Hwnwj2JeKcQhoSUGNI/Xwo4o48LqaBRY6woAEKtEDIQguttDIA/wHaxSjBZMApY8sCFkyAzwINKLCSSPF1Od+X7YUpn5hekgnmmD7VB8tkRroAwEUGBIABYAHe2M8DDSSw5C0LHKBlj4AGKmg/WS3YSJHhrRgACdsZKsGMCK3QQAMIwIUnCPf4l6mNcGl6iySDhirqXmu19mB4IwRQAzxOJgJlQg9EMEEDVk7p5y0FIJDnnwQYYACWBuQyAAIfILCnLRMkkIAB/Og46rPQ+kVnhm2mqqJLjgAwXnR9KqDrnnhegIuuCBiAwAEP2IJAAghAwOwDB5Srq5YM6AoBBJQe26GZ/KJZpr9n/itwwASLeYtjrSaCKAsxSKhBBjFkkGQjrw5IAP+8hVBqS6yYLhABBrcggEAu89oyQAMQ6CJyAOv+OQC70cYsc0S7AMgbASu44uAkEr/CyEx28rPCAUsukMEDAXiMqQLp4gICuyQngGsExyqwwMvM3mJAA87O7PXXBOCW8JMuWFS2my5Z5DMjkwWNT6x76spAt7bk2sABk45MgMi3PGBBPifXaiuvYBdu+D3JwcNckNvahTPRJluAAJ5awgvB1cPqzffGDeATAAMNNG3L0McO3K/pAJ9ecOqso+66XTYvPovbb0M+egQJRFBAAMresy7JldZ9a90WvBy8LVt3ffjygpYq+6G039Nn6bpmsADLCVxAiAHxMlAvAr0oqwD/A96CD+8KA8zdQNbMt++1gs8vArRCGN9z8gGYFjCpBZRuveTmtlDA/vK0JAZsrQEWiJf7FjgzEsVPEZDijNV0MkGTLWABBcDFArxXgAweowAXRIbVFsCr16nuhK1bnQlTiMIVcihxY9vNeA6yD2EAJxr7ihIDdxgt+D1QJjPkoRCHWBLcrCZ+FSOiEpcYkcT90FUzdKEKp9hCqSSiilhkoRalmEUVOUp2QWSiGMdYkO08UVvRI6MamaiqRLnxjXB8YxjXSEcxCmIAa7GIKy6ixz7y8Y97DKRFaMLFLVLRkFkspCIPucgTpuKRkIykJCdJyUpa8pKYrCSnMsnJTnry/5OgDKUoR0nKUprylKhMpSpXycpWuvKVsIylLGdJy1ra8pa4zKUud8nLXvryl8AMpjCHScxiGvOYyEymMpdZyzHWsI7QnMgkBjCBFUygmtjEpjW3qc1uWlObhVBAOAcgTnKO85zjLGc502lOcbrTnPCM5zvVKc922hOd+IQnPdG5zn4Wop78/Kc/A0pQgBp0oAcVqEILitCGLjShDH2oQyNKUYhadKIX/ackjJgbGMGoozEC6UcTJYIY/POkKE1pPk+6TpW69KUubSlMZxpTidq0ohjN6U0zitOd6rSnQOWpUH86VJ8a9aSRaImbZASjs320ER5thUdbYLYP0HSlV//NakG1mlKErlSmXA2rWMdK1rKa9axoTataw3rHGLKGBVZ9qUzB+lCu0rWmZQXrXdfK17769a+ADaxgUSqIVT2xbDFQgApYqtW9VpSmjt3qYCdL2cpa9rKYReqD1vZAF8SVr5FNa2jFStTSHrWoQTVtak+rWtS6trWwPa0gIPTEJ5k0rKMlbV3z2tXeZva3wA2ucAU72yM+D0YZwGs8YZpblDZ3uY317XCnS93qWpems60tYhmrXO7KdadXDa1Xr0ve8prXvMXV7gcWC1rKPjersV2tfF/L2vrON770va9985veHyJXt38d71hz+97zGvjACFZpdp94kfU6d7fMJev/cwucTwon+MIYPm9/HVG2I0mVOy7AUJA8C18JgxeyMxWwdzPM4ha7eGe0DdJFGiaxI51AFe9Y02fbO1gLR1i/QM6vkPFL5P0WOchH1uwIYPEdDQgiKyK48cNqEIAMcJapiWVvVoPhPe/x1ctqhQGKX0zmMgu3nAtmW9lSxYAq5wYDBnBFwzQg49s+eKVQ5mMG0KfW7nxXqxjQgJkHTejyplnNBojBiVSznQxgoMocLulzYfABF0wABRMwgMQmoNYPZIAQEA4viQtN6lIDd8MMOtuJEKaoADhwIzu+KgP8LFCOrFPMoE4pe3N90u6AObwqVQCto4tkIxu72Mge8rGV/51sohbi0M0RQZwYDVcN3BgFxnWVg8c8AE+jtDvqJFIGNKDOD4xgAt2ZAAM20B0IlLM77M6AuwU6gYhlYALqRPe4MQADYecmAxcohL41UIBc+9jUCE84jLMNQRac6C/bsUgLCBHpxJ74nzCIwcQLQb5R+/sDGnATCcjpguw8TEgt0MBfNLDYkKe80hkQpwpCDnIrC3oALQF5K0iogey4W9ieDTkL+Kzwohtdq6hmm6Ky0gIQYDs3FmoVwxSr1VlzpDsSS+4AVFDpchagBclVwJHcmRUMFCLkYv4LpwcwJwjAAAMiWHvGW6AAsY8gnOMmudaxzWdht+DogA+8S6G9Ef8TVTnECnB1BlJlAEdoJ9bS/SfMsV4PTov95uPbD8lv3m0X/FPzAxh26JOLAXzXnd10VwDYVwCC9BHiBLQGgLX/CaHWezfJuF927put+97zHsiET3WcIN4CEkQC206S89arXmly1h0EEsPABYSU6wmIAAQgcAHLC5GBvwucBdzXgJjP7gLFovs7YBfnBM4mb3fKfvMnLYAIVjB+wdv/6MGHoNpcoR1XiMBsHDZ1K+ZS4HZSIMAC7sYCBrBO+1F3KfdP3fd54Ddrn1YIlOZ51ndvWtJzCgADHlgDlQZX5FSALKAn/zQnBXB/Kmh0SSc7yKVlsuZtJ7UBcXchHwBqM+f/eZfHXhH4fdyndeQEdjDQfeWkAkSIAY7GXi1Rdxzxg3WnAjCAbQe3glSIXg+iXSIYbLsFbnVnNVmRgvthAOS0H4KmANoHgd5HTeDXbUJydkNndeijAC1Bd9n3AQWgAAXAhbT2AG1YADkTV7vHbIIYiIToe4NoiM72bFd4RlMHgzT1I260djgXHnGVfZjXg2ooTpR3EWv3dY22HyloJNrRAmbHhi5gdirSCjFXhaw4aGi2iIcFeRFmTZh2aZJ4gtfEb+E0AaU4ANaEi4UQAneXi1qmANd0d9SUggMAArbIUtdkewVwaZjTitRoZi0oO1lYjdq4jQk2W1f2PAyjXIX4/3uHSI7jWI7oeI7qiIiEBYsPlBuyyI3yOI/CJQgrUFtPEo/0uI/8OFmCMANxFJACuR362I8GeZBqFQkZUFvZiJAO+ZBnFQknMJAU+UYFCZEYmZEKFgk4lwHa8jwPqJEiOZIq5Qi8RpIomZJoxUws2ZIu+ZIwWUkMIAACEJM2eZM4SQkAUAs1mZM++ZMs2ZMOAJREWZTF1JMcYJRKuZS8hJRM+ZRQOUtI+QBx8jlReZVYWUo96QEPcAHxIjn4GJZiOZZkWZZmeZZomZbyEAA9KQM2UgJxggAAAAEREABqeZd4mZd6uZd82ZexMJQB0AE2UgEhwDsJ4GoL4JeKuZiM2fyYjvmYEhAAgCmYAUABhSlvAWAAIQCZnNmZnvmZoBkTkzmYhWkBEJCZmxmaqrmarNmaeimZglApmdlmF5B4mumauJmburmbgXE1NgKYl3CbvDmcxFmcuHk06wKbmCCcxtmczvmci9mTIQAASbmcqQmd2Jmd2kmWCJB4tbCT1rmd4jme5LkbA3AAncCc5bme7Nmei7AAPakJ6ume9Fmf2pkrm4AAiWmf/NmfzlklmpBc/jmgBKqbDHAAbXYJBICeBdqgDhqaAwCclQAAA/CgFnqhjwmfOwMqCdAfGPqhIMqX52kBF1ALFwAAdhiiKrqid6kACQAA8SIu0SQigQAAIfkEBQoAJgAsDQAkAYMBfgAAB/+AAYKDhIWGh4gBBIqDi46Ci4ySjI+QhJGUmZWRnJaWnZeemKOSnY+nmqmoq6qtrK+usbCzsrW0t7a5uLu6tYQDGBgLK8ELGMTBx8LJy8nEw8IkigTUDNTX2NnV2trW29zg4d7h5Nfj5ejp6uvs7e7v8PHy8/ToghkuACz7LiL9LixEsNBnomBBgQMDAty3LwOkdefARaQ3kVtFc/UyatzIsaPHjyCvBYjBkIWLggz1mTRp0GBJgP5iOlQxTVxIbOMuZpuYM53Om0CDCh1KFN4JhC2TKl3K1IRDm+p+4sT4DSLFblQJ9Ky6VWvWrmC/iuU61ivZs2bThkW7Vm3ZtnD/38plO9dtVQ37ADTdy5fF06lRyXWVJ9Vn0cOIEyteTEADUr6Ql/61ClVj4aw7GWvezLlzvA/8IotuOVkw0MHlLl72zLq1a8QkB44e7aJ0ZsPo2rJbLRGz3d9x6QoHXjc48eHGkxdfjpz58edbM+ybPdrvw6qpK/POTbjy6+/gw8fDy5J65Jk1sxPlzVO8+/fw5cUQqNd8X9sWccdD3W57/P8AuicdC/ZBJgJ+2GXEX2AJ7oZVcxBC55xyEVIoYYUTZojhhs8RENtJTJnUQkkttLAQiErVlp5/2pnGXW8MAhbgjDRyNmB9KbZAwAj8TDAICXkx5VB6NLJY45FIJkZe/4guDBDABA0FgEEGGgTAI0BKWaceNYj49g6RSYYpZo2OEZhiDIzwyEIMCgDkQgAKTJcighcZ0MABeB7QAAYaFdDAAPUw8ICTL15oqIWIanioooly2OiijlIVG1MaoOCQmgixYICV5SV14HXlBGBABAYs8MADBhxgQEZ+AkqPna6OKeusN4EGAIotCXQpPyy0IEibA+FqEILhGJCBAjUhkMA5YIJDpJ+X1dTINgYsi02ztGarLTuTNrXrPiK0oMEIAZwQmlLEyvjAAbESUG2sCyCAgAEKXLOAAQMYMC8DDOhLryIFWKCAv/VeU4C+EEwwzsHzLkDNAxY0MK8gBchrQP8B22ascTkDCksapyXtM0MA0i2lZVkiwdqIst6kOi8CDWywiJ0JzCuxxQ38SYCfNVfbwAUPH/CyxNQUkEEC+jawarxKbyBqBENPIOOjVDNqdaRYQ6p11VnzFxuO6IKMAgjgYkCynEkNuY6d8sqbgAWuLnCAw1pB0ACyqWLsLqmKXNDAAzurWo28BAygtL0HWEM4Ne+6a60CGayqlZ0Fb2z5tt4MuJdDULqA5ggZoKnAiCajp84DEdTs9t/UKIuNAhGEIKq1BCyQgd4wNOBjq/b+KSi/MAwcgTV2hjCANdPA6m4D4xi+6eXQb7ukt1Iq5KMgIJgo0JzYciPq7Vrxa6f/w4tXo/Ts3shd8AAWbLoA7QQocADGCijbQAY5A8oAAnomAEHBBvgADAhgN5zULHoIpFWZ9hIQgcBEBBA0SbhKR6S1jKpdBPgAAghQPq2cr1rXeMDdzLepDcBPfgowXAImAIMAFOAAKsBG0tjlOEAZwALnqFlNuLa1q/Wwaz7koRCDWBdqfKhADFTb6WhojgZAQFTM45LcFoA+aqwgAutrnwtHSI0JMA91sVqXCvr1vJ1FwGGNE2Gs5OejBLoxTNIBGxKzlC5tQBEEA8jjAOxGP4kdrwAJSMDMBEmNBTQABNQw3O6E9sfzTZFfhswAoGAGAn55sV6UK1wgFcCA+kXx/42gJBPa5kjH7nEjVTnLmZ4kt7M73U9njvPGutZ3OD/B7E4I8Ab/cmaBdTlsf3rKmdQC58T4JSCVCQBaKJcZoPl4jJTDquBYFGCqai7AVd5gwAIWUICFLcAb1MTmAuo1AIcVgJvmYEABHtBNbeptZ9usHDy7qZVtfpOIQMznD/c5RH32k5+YuRE0JWNKZhr0oIuJjZkG+jGEOvShjAHNQhlaEADUEaIYzehGSCICiqZNmv7EJ0BDStKRmvSfKBVpSq+BgpC59KUwhelFNUrTmr5jIR6Npk13ylN4BABIMQ2qUAMy054a1ai/0kAGlpqBFjBUA0eNqlS1sRRHWHUaWP/lklavei1eeLUXXw0rWMcq1rKS9axmTSta16rWtmYiEXCNq1znSte62vWueM2rXvfK17769a+ADaxgB0vYwhr2sIhNrGIXy9jGOvaxkI2sZCdL2cpa9rKYzaxmN8vZznr2s6ANrWhHS9rSmva0qE2talfL2ta69rWwja1sZ0tb0G4khtbIbW69stve8la3ZvEtv7Yh3OLy9rfEPW42gxs+5TpXuM+NLnSnK93qUve61s0udrer3e5y97veDS94gcuAQpRzBeglRnqPkd72DkO9600vHvVI3/ra9772TSF+9Yvf/u7Xv/zlr38HTOACG/jACE6wghfM4AY7+MEQti//ITSAIoF01AQVBldANGzhgBSkNiqIsIjzKGADB3jEKE6xilfM4ha7GMWDmB5D9/GB/5JYjydGcIlvzOP+5tjBPw4yjofcYyEXmcgDMHKSkazkJjP5yUeO8pKl7GQqQ3nKWK5ylq+sZS3rURADwFJOQQxkJJt5wTsu84vXzOY2u/nNLdavIDBwYY8CJAYqTjOL9fxjOPv5z4AOtKDzKAge5RQlNXaznuu76AE3etCQjrSkJ73gQh8awyJgE5evTOASK9nGWFbzlq1M6lGbusubLjWqVZ3qU7d61a5mtaxjTWtCc+rSa1JAiEV9ZgY/WsG/prSwh03sF1v60P5ItIiD/93mPhf72dCO9oqPnVMaKzrPjJa2trfN7REXeqIMHRGbdk1rZ4M621LO75mZ/ep2zxrW8HZ3ueUd73fT+972njW1l+KCftsn0+w+cMDV3WMID7zbCE/4pL/NQL+IWSX4YApAPkBuhd/X3BbPuMaHvW9PAaRK0lkIC1AwEokD3OIH37jKVy7ob8P0zvfIB0CGpIGm5Lrin8YxCBTAZ3TrWL8wCDV92V3veefb6EgvutLxnXSmL/3oP2Z4lliwAjidjR8KOEEAar4Uf2Sg4gcuwAdCnoEVELgALphAgsWVxwmgIOhoZrnc597mjqPEJBOIAcklyoIReGjr4HaJshEMJf8qYcBYLFC7fy+QeLAPOAaKZzvdJ095SUu9JQnZx6YG5BBLbb0pLfh6gjfAgg8IWDoFoC+/hi4CxROYAfVlgLgKp0fYwz72jq+87nfP4MsrxR8kx0cLGEBnh8wnRIMnNQworF/9YkADGxhA8CCwVAjMtwCJ1+MExh4Ds+dRAwmj0gA0YIAT4KM2KRzYUj/g+gJQPwMQwADch+70+kPd/k2/v/7zz/+n9//LVtJwmwIa5FIIbZIiuZZgLvABt1dwaMcCGkAeKYR9ard8fmEAAPF2AyAd4qIBbWJ6E1AbKJBkHxeCEBhiH4cXLjBfKcd7Lkh3vpcU+xB8Iuh2VUcCXOf/caIncCwAAf5FYd0UdEs1ABfQeiqAAZrCAAOEgSkkHRiway6gAcdDJUEHASywAUGnAkulANj3TcSXASz0gmI4hvdldy3RD8HnEiqSg0nRD3iWYCKggRe3VAWAARuAAQngAlzYeC1Vh8IAJWrXVPQFAG8oecJwPAoQgi1AhH7xAC1IhpCocmboEppyNgbxKTHAFF6Hc5wGgfNXXyBwKxq2DxgQJwrDdyUhhUOoRwuYR+KXR5aiEH6RQi3VEBOwY/6Xi/ini/vHi//Xi7t4ZTF4huHiYQchchJXegomiPVFAmDYJhrQgDiWeAwwds1HX0s1f1GYR5KHFwmwAU24iHq0/wJKNXKReI4vOIku4Q8LBS4tUGdtmGkKBiX4okcwYAB9t4HieDwLcIsgYIR9mEfBMwEYsIGSpEeECHviogKQc5BJFnoDMAEZgEdB1wICg44YWXnqSErKuIzZ930skAApBCVSCAx+wYhqNzp6mGQx4AIXYJDayIAbyCaQwwKpN369ogBk44MDgHZvmJFAKXcbiUR35nNCBgLkMSJR2HwUFizH0pOt13YcGC6Kx4x51JF4AQAXsAIht4D4kEIQABAj8pTAWJa/eJa+mJbBaJZq6SQBeGj6kHwIBgJ1WAAlVhAYUAAX0HyliGMXkJf8pZd+eZMK8JcDgJeCCQJ9mWTB8P+SjxiUkElpwwhNd6ZrKfaYBYaZkbmZ2zaUSNSRnBmaohlokwlN8kh/bLmWaKmabbmaqfmarhmbrSlghQaPM9aKo5mbuslmgrACl2YCoLmbwjmcIiYIMxB4lBmcxLmczIlgg+BUOXUrGSCNs8ma1gmb1Ymd1ymb29mabhkAM9APo8SRctmc5nme9UUIDIACIjdU7nmCxxOftief9Dmf9lmf+Hmf+pmf/Lmf/tmfAPqfAhqgBDqgBlqgCHqgCpqgDLqgDtqgEPqfvzmhFFqhFnqhGJqhGrqhHNqhHvqhIBqiIjqiJFqiJnqiKJqiKrqiLNqiLvqiMBqjMjqjNFqjNnr/oziaozq6ozzaoz76o0AapEI6pERapEZ6pEiapEq6pEzapE76pFAapVI6pVRapVZ6pViapVq6pVzapV76pWAapmI6pmRapmaapARwpmq6ppdWAAIgAIfJpnI6p/YBAAHAAAJAp3q6p3whAILAAQHAp4I6qAHgAIIgAYE6qIqqp4YaAIC6qJDKpoUqCCVgABDALwoQqZo6po3qAQ9wAQfwARaQAJtaql06qQEgA4tQqQGAAADAP6Yaq1faqB2wCBUgO4G0dQsgq7wapahaqwFAAbIDf6ISAr16rE5Kq7YqOxbwRAZgrMgarUWKVY2KAIJgAOW1l8UqrdwqpPSEqonwmqzdOq49CobKAq6IIK7kuq446qcBEAIAAKhwpa7sWq8zigDIogh2Oq/Qaq/++qIMcAB1Ra//WrArugDuKlcEa7AMe6IVM1cIsKsNO7EnagHXA1eSRLEaS6IBW16JQAACu7EiG6ID0KiIAABxOrIq26EI67GXsEKJurIyq6EDcAAWADQBcAEAYAEYM7M+u6EKkAAAAAAi+bPQFAgAIfkEBQoAEgAsDQBSAYMBYQAAB/+AEoKDggGGh4iJiouIBIaOkAGOARKPkpeOlZSGmpGTnYeTk5iWpaKhqJyJo5qWnqSvsbCzsrW0t7a5uLu6vby/vsHAw8KRh62bgwwFGAXMzhIFJBgkzxggzc3S1s7XIATg4eLj5OXm5+gM6Ovj6uDu5vDs8/T19vf4+fr7/P3+5fDkSSDwwQULFoNYiEAogWFDCQsfLoyokGEGSfXksdMIMBzHduk80vv4r6TJkyhTqlzJT0KMgxAJyZxJc6aLiyhJitM5LyA+niyDCh1KtGjRGQtZuKjJtOkgnCLfRSXncx1Qo+eqEtDKdWpXqWC3eh0b9qvYsmTPqjXLNm1btHD/17qdG/etWnMaDjp0ypcQC6hYQ4bNp7Vj4MOIEyteWVXDwqV9Iw/6gDGj5axTqWbeuRnz4s+gQ4vG53ivZL5/H5nkeXXkz9GwY8uO/VLpackXVVQ2y3mw5tl05dYNbrc48ePDkwtfblx5c+bIofsWl4EFgNuRU4su/Hp6b+Dgw4vXJ6829r43K7vu6fmuYffLrY6fT79+veq2zzcVAfifztbs3QOgfQQWCFxepsmEUIJ9XaQebwa299yE0VHoXIUYXqihdBxa2GFw4sSw0HVMtWBQfiy0kEFENKVWCWOX9cPddxHWaONi7nwAU01/MTACTAi5QMAAO86k3WH/rQff/41MNjlbbZDNlMEAAfyIkAgSgBAAA0VKqZ49DIT5HkhgrubkmWgahR+JMmkQwAASWCkICltyyaAE6ZG55FYGINBAAwhsMA8ECHzJU5/gKIBAThl+uKGHkDYa6aOSVkqpcuAgSJMLEKBwkZwXoaAAAY/V5OBG4SjQQAIGFLCAnwawg8Ci9jwQKwEQNOBfmrz2apKI+RHiggjpTXCQCwoogOwNLNLUHzsSACqPAQ08II5q4cxaWSPhhALOJQZYIMlAo5CDra/opvvPmkx9etAIDLTAggIMJGXql+s8cAAG40hgwALhvIqAAaOCM+u3BfQZaDgJYzDwALYSgEACgBYsMP8CC7jDgMCtquvxx/eY126VKXIyCAEZGDQTf4Z25uc6CByAwAN/AixxoQTQXK2fOOtsgAEMGJAAAQtQ/MAAEsv8QMy0UjszxTb/5ujUk1JtqdWXYq111VwHp2OwXv7YggEoTCCBCgSg0AKWRlKW0cGbLdDAAo8IjfTBA3wAwSRybxCAvgBLgigB1EqiwAF0O0JtmAkUKsnMNIIsOcgvselsAMY65MIAdvL4bDxbTYzOxAskCwK1dy9aQAQTKAACCNHGGkIDSIPTpzpCv1MAA1teMHGYEz+gAEYDTm78mfg11QIBKygUJQgqdOnX51mJ/hvFGURwQAQRZPBAANo+wD3/99tHsKjctRNOa64M+3nAnxYgXUACB2SQwAPFH6//jbVZrqDKmrNOTGjCsgd1xgARKJhHBiaxBMjDHQdbwAHSJ47ZpS93uNIV0cyHARjkzIHh8BfPpNa1rJVwa1c7oQpTyELqSG9lCGETsZRypyOhSgER2Js4VjcQ1IUwYzcLQAEOMIHKLGAg6AvH4CAwNMJZAG2O8BMDVICAAkBCX/nbnxbp4w5N6ccp1EOHAQ4AtK2s7gPgWB0CwsSABCQgdQZrwAXCNIEDrOBvDXBHAG5HuDz28RsMoNkHOCdF4DVxi4hMU2m+2BQb1uMB9KMYGdNXtAPQr4oGa6IE/GSBP1kr/2cTzFYT9dWADcAgZg2wwMAOMKoCxOySVkykLJ0kMka26FltYYAEFDAApD1QEJx7hwTSF6ZhimkrEoDHMEMYTF0mE5nK7OUKTdhCFFLzmtbM5jSzCY7qACBKtiQEAMLIEo3piSMfQecs14kmL4bTS/hipzzniRVggfOdgiAnPffJT5R87U6MZNk5q7nNghL0oNg0aEIRqs3oEKCW+HxKPPtJ0YryAwUH8d87HWnRjnr0HnqJaELc9tGSmhQdEqjBiRDSgojq86QwtSgwY3AikVLGFDi9hE5PsdOc8vSnPg1qT4cKVKIKtahIPapSjcrUpDZ1qU6NKlSn+tSqStWqVP+VKgFEytWuevWrYA2rWMdK1rKa9axoTata18rWtrr1rXCNq1znSte62vWueM2rXvfK17769a+ADaxgB0vYwhr2sIhNrGIXy9jGOvaxkI3sY7d6sq1adiCEEMfJBAEOcnXWJJ4N4T5C2y97kJZAp40pcDwb2kEY4nQG0IAEIKCB2JJNAyjolGxtW1sU4La2uKXtCgbAy14S17jITa5yl8vc5joXucVdbnSf28vpUve62M0uda2r3e5697vgDa94x+vd6E63FXkRxEGI9RCFDGIiCxrWsPbCgkGGl7vHra5y8etc/paXvADernH9G+ACG/jACE5wdzUhW64exL7aJTD/c60rYQnr97kWVnB3M6zhDnv4wyDuriHg1FViZUAFzTUvhsGrYgGv2MX5jXGLZTzgGl+YxjcW74x3bGMc+5jHNwbyj3ss5CIT+chBRvKQk8zkGDPXEBgAKCNZEIP9hjjCMO7vlQ1M4S17+ctgxm6LDTECtonUIBD+Ln85/GLysjnM0O1xjuFM5zrbmUokK7EL0izm7M54zixO8Z37POhCG7rQZPaqiVE8YTk3us3J/fOjpetnJRu5yZe+r6U3jWlOL/nTmQ61p0Xd6VJ/WrlklrJ+DlLlSB8a0Gp+9XKHOWlZ2/rW151uqvXM5w3fucK49nSwh01s6ibaq3v+r6Dj/+xqWDu51pQedobfXOxqG3rXXB1WDPwr6WY7+tnR/jawYUxqUAtbx6NOt6nLzW51m3vd7m73crHNIwUNYik13DajnQ1nakPb2t4GuMB/jdxjt4jVAYhBQ1paiACgoCYq2vfAIR3sbk/84ramt0wM4qYA4CdUElARU+ob6CwTGt3FJrDFMc7yMGv83izAwDA9fhA3ZSAmL2xIDEAw6enSNAPRHaaxWuDvkw84BhvwNbyX/m43x/vpTJd306VOdaj7OLkGFxaxJpABOn1N5rxzuJk3/gGJS5gBOnJBDZK78KKDt3mmNPnF3d7yuiu7l1nXukLoVB0R8I7rJHD4pkiuXf8YZCADANAAckHgAhNF14MqkHgvYUBrBkgTxVOUPOdUYPnJF0AEIOg85xgAA9ETe+V2Tz2YX+4XFvCdEAtpgeXviScRtFq7MciABoBuXAlkgKbFBYEGDJKBCyB3BAaBwAJYsAEGaOADIKhOBjCA3AtIP+kDwGjNq1uQm9A9xOMGt+rHr2HW31sERfzAvRuyOWe2bdkxRrsLGD/cXupNA0QfwApuooHds6AAveQYMeApBrECDAABN/EBu+cC1DcAE8AfKFAQGqACGJAXGjBcxpIBsWUi4VZ1UVdgHjh1VheCJDiCJuhseacgrkdzRDcC7DcktGcQt8dvxnV4CtACijf/ACcQc8PHSx/AewygACwANFGmATBAXNWRMXkxAb0EAiJgAANQAENoeSpgLLwEd8SlIsa1ASwwAuT3feQXhsyGd3nGIyxQRCkjAoHnKZWQXjJBLL32XGg3JfgnATAAAS0wAD04ABhQXBeQFyhwgCzQS3ZoLKa0h73kAhrAABi1AQvwiPu3iD/SQQOwASBwhAXgGEyYct8mhp6oYOYnCAuhASizcCRQCSrwcAmibQqgec1leFPChQCIg3mTf8L3TSkyhHrIAvuGASKAAc6XATw3ADBAi6WhFwfxRhvwi71UgSciL5t4axYGhp9YjahWJU4hAi0gL+y3FCbyEJtyYj2H/1w0FYQ4WAMssAB6iCwDkDIT4A1n6HwscIS99CMboAK7BwK8xAB7FjTIogAX8Dr6qH/Ml4UusAJ9yIUTQI8l+IHOpg70eHINKYIOSZEWOZETWXDY2FUAQGXTZWE/GIAtAAFTso7Jgn6kBwNSyITGAoC9ZADMBwO7F10tEAMMYIgoRnkFwEtciAEqwIXqOEzNE43EdgA2AIUdaI1KWWl49iPIJo7ZBQMx0FKVqBSbiH/6eBM7uX8ssIiM11IKYCwi0Hz4V1wqQIsKkDIhoAAY8BIdNJQDAAL1pY/Ip4iuKGsLAAES8AJDspR+CWApuFGEp10FgWJCCAAn0EsvMUwIeP8sJJkBR7gB8pIieeGTiAgDLvBGlbgiBgEAm6gsLPBGCGIdKAAAM2hrxfUADyABDmB6f/ma3hWKjNSR+uZt5jVMNQCAvNQMCiAIzGBczbABvMQMw7Sb1PeAiekMvCQIGGB8cMKHGCCcvScBG9BBWbIBOykB0TmGGOluxvUAGyABHNCXs3aCF2me3VmR6WmRZOiCyBaHHaaQyWJ9JQmbyQWe4rkV9rmf2SWbUwafGpaWKVIdLrCT/PmdR8QBDCAA+KOfhHigENqUqrZqp/lhyTQBGpAARLmfqek3DiAADAAACCAAAmA6EQqhgflOyWZl6olkH4meMNqipoagASAAIvD/NxywJQ5wAAeAfTF6njIKpEK6nlLXlGOHT2h2oncGngHwoX9TAoZQAboEAK6ppEtpCDvoVYNppWH2AHRDogGwAFAaABVgCCDKpa95CLS3UQCKph/GpE76AGPaAWZKa26qlJpwAlrapneqYSFANxvwPQRQROBTp32Kp5rAiFzVdVvBRo76qJAaqZI6qZRaqZZ6qZiaqZoaqQuwkAywAuHZFAKQTJtaqqZ6qqiaqqq6qqsqWa7qFCBwACFwpqHKFBr1qriaq7p6GqMqCCJaqzVxq7s6rMRKrAqQAIMAAb3ZFMJarM76rJEVAmYTGc0KrdZ6rYhFpdSKrdzarYl1AJTVYBQEcADeWq7mGljVKggKYADn2q7uilchoJdNsTfvWq/2ClcJAKwycQHpeq/++q9dFaIJsAgXgKwAe7AIC1Z7ZAHLKgEnYAH9mrASO7Gnsa6zMjDDQ7Eau7FftAmqxSuBAAAh+QQFPAANACy/AJgBGAAgAAAH/4ADgoOEhYaHiIUKg4uJjoiNjY+TlIyOCwuVhxsWEAgMk5GDBgMBAqCao6WnqaMMpgStggavDgSoqaSmBhakBheVtAEUBgEJDgsChQzMzcwEwhUbAQcaAQYAFgcKrwHe394br9IBERABEw4BDwrg7gELrxQjARnn6QEbBe/g4gEVK6idM6BuQzt+3uIFKEAgALMABC7Ak+huQDd/CPMd/AbBgIEEAy50Q7iA4rcP3wQAGMnPoLsHxbzFzOjSXYIFGd1hckigJzMRpXKGewCxp1EGB4R6C4GhqNGeC5IKNaDgqdUECIQmsMrgaDmcCC08uGX1KQMRE/h9IFq2LTYIghdCADjAsK1daBkOIChlt6vPow0D//UZCAAh+QQFCgAUACwGAGkAigFsAQAH/4AUgoOEhYaHiImKi4yNjo+QFAwMBJWWBJGZmpucnZ6foKGio6Slpp8KLhqXBKkap7CxsrO0tba3uJmurAOqAbnAwcLDxMXGui4xrK6HrAQBmITOrIiVx9fY2drboQy7l70a0K0aGTETliQxFx8xJwEDKO0olJY1MRkaNZYME/gaGLgJHEiw4LVvlr6dcOHCH4sMgkawUJVhQC8WGjQwZCBogogMEzKIEEdA47kMLFZEM8iypcuXnVKxEEFzpghfBFp8gBYAhIsNBEaIQBEAWoYWA56l+kDgBIsJRQNMYAGCgAsDgzKgWAmzq9evLxn0ygDiQg0QNTb4wvBUwYkTCv/MBZCooFIvopY09kv5Fu1TAhkaDgBLuLBhgQow8vI1lYXNmRnmskjaisWIS1MHaHAsgjPGniIfauB4uLTp07RSKbu0S2IBFeMsSaScGJ0lFCwY4B4QW5oCFCg/oB5OvHhMxax9OSX6i8KKC0En2813KUMGBhKBVsKugEEG6JUyGx9Pvnwh1ctUCfpAFfbUEZIpE4DwM4CKBywMiHVRUdBmEoC1UI91pJln4IGmJbZaQsgNEMNEE0HQkXQETKIRhLa1glILLLSADgMgbPhQDc0haOKJME1yQV2XgDjYIAqURZlYIBgywAUgJFUgBQrUoEAhDJwAwgk7omjkkQJNsx3/I/wospKSFUZZJJJUVmnllVhmqeWWXHbp5ZdghinmmGSWaeaZaKap5ppstunmm3DGKeecdNZp55145qnnnnz26eefgAYq6KCEFmrooYgmquiijDbq6KOQRirppJRWaumlmGaq6aacdurpp6CGKuqopJZq6qmopqrqqqy26uqrsMYq66y01mrrrbjmquuuvPbq66/ABivssMQWa+yxyCar7LLMNuvss9BGK+201FZr7bXYZqvtttx26+234IYr7rjklmvuueimq+667Lbr7rvwxivvvPTWa++9+Oar77789uvvvwAnGtXABBds8MEIJ6zwwgw37PDDEEcs8cQUV2zx/8UYZ6zxxhx37PHHIIcs8sgkl2zyySinrPLKLLfssssDSNBAAAII8IwBEkiwgMEQSGDzyw0z4MABKtQM9NFIJ630ywPQAEDRNBQFAQ00HGCwBDRI8DICCDCsAg0CBJD10mSXbfbZFscMQAAOaB3A1DkXXEDWbrNMQA4JMMyAzwHwjfbfgAf+NwEOzAxA2G/T0AANDxDcgM91r0wADXkzLHMAhwuu+eactyyAAQE0MPPbOTxAOcECNBCBBM8UtQAAVEuQQOtFqQC7BAgQIAEERQkAwAAHUN0AbAMbIEAOuxNvOtU5KOA67FnnHpUAXSNgdefYZ6/9yFMP0IADA8dse//dCFTNdQM5rO169Ag4IAANoGMugMwIJAA27bA3wHUOAjAQAAPlo94zPmA+66XPYLTbngIXyMCITa0Ac+NNURAQtgOwDho5GJ3UckA8vxWFavGDXeMmSIMCbDB+/7scBrsGDxpEYGD2I14DZ0jDGibsgWzToAB4B4C6JWVgCMiBCefGQtflIIQSkKECGFcUDxbFgs+4W+Xg4b+oQCAHErShFrc4wyuacHFFWSJvoDiwB0SgZjkoYQAMQIOdRWVyIfxZURjARDoWTnSiO17r8DYwAphxflRzHhcHSUjs4dB0O2sA4noYlfLRwAEAgMDiTFg+E74Rfr2TYwuh0jS65Sz/Z/3D4BTt98hI2k+QhUylKs+GQ93NzAEstKARD0C7BwhxjUyMCh3jSDs6Nm5yGiyYFNdHy6isoHmrTKYykXZFQR5AAAugQesYGTo1RiUBt1ziFANgS97JT4ZNG2HbCPbMokyucvZz4xOxuMx2ujNlOAzAEn0XFVkGoHzeJAAbb0kzCQhSBRI4YlEyF5WvjdB0DWid6a4XgAxKjQYs1CfVsvjOilq0YwbgJ80EOtC6Ha9m8ytf/AjwvppVDZPyCx9K75kD970PALQraQEIx7+aSYCNI7yoTndasQc4IIsUrGIAEoC4CdYMdCTdJgUFYJEcuLEB6jMnNAfGgMMJIKfm/wSAA+K31BBuk6dgDWvJGHAAdXJTmmJNq1oX6DPKPMCJa42rXAHXSao9MoFzzatel/aABCDAknsNrGAHS9jCGvawiE2sYhfL2MY69rGQjaxkJ0vZylr2spjNrGY3y9nOevazoA2taEdL2tKa9rSoTa1qV8va1rr2tbCNrWxnS9va2va2uM2tbnfL29769rfADa5w2zkBhhJsAcFUGAOSa4ADHAAAzjXrcHX7gIQabAFfRRgIEpBcrikAggUQ6nSpa92CYZdh1mvANglgAVSO17fVpd0FEACBApz3f381mAISYF8LhC+hUXpvb+NbFAM0wAATSICCzYkA6RKsAMFErv+BD5AABwu4tgQmKyrV67ALBLO5JvRjBC5w4dwS2ABF5GZ2EQbhgSnAvVwrMW4JDIEU77fDySVYdWV82wdY4Bk1dvGKD9ZihE0gxzyGLYGRSzsDDNlgHgYiVmOcZNoSeKi5I4CHp0iJhBW5wA1wnh8bQNEqw9bArVsuHus3xwOg0GAFMO4aRXeABoDAzLRtBcFerJSodEdh7p0jn/FM6EIb+tCITrSiRUaAAYjl0Y6ONKQnLelKU/rSls40pjet6U5z+tOeDjWoRy3qUltEvIuWm4BRneqBWRi4rG51UQA73ViT9gIhKNh3V/bq39p6tAhoAFSAmOKT0Xq4vxZtsMn/XLxim8yNANjBCwfmAB70+mJhvmyyQ8s1vxKbqi+mKG9aUZeiDODP4C53VCyi6gAcQAc5CJ8OdHBti3mg3ozdNmhR7D0UotiK+rNeEQ/sV/UWoOANIPEE9afgDUSFw8ftKA1kSFR6M5i/fURA41gIOuwCVhD0taIOAODGgyNAho3V92dj/IADCPLfc26dAiJgSQuUtwEWqCKVJdm6FUQArw8eqAAOUETqWfwB8+7ADir3AB7MWwI6aDT/dNABHngTAjtIuvMkwAMezAzqHZg3vgercs/C3Nv3ZOED1Am8p+Z6gkU8LwFo/sYEvNm8AwWA6eYogQJYvAJc5UFRKsBC/wDwYBIjX6c8KzBCMAbAAyY0QAc6KGfFlr2zVGZABKACc2igeNkOD53C74nC88ZZwaiHOJGFTgAd8KblDLC4DJvOgAdUYN1RH0DUi2LLe9aNARVQgQogX7t6FjXfq+18yxVA5ZYjYAUFUEBZi5LwRqLw4AQAQVlfzP1ARzylErAaNGO/MxUoUgIe2AEByvfGqKugAq1bQLwb0HUdOL0CSfHACmatVRro4PiLdXmcRWVFoWAxtlzD9j8HgAFFYQGAhQAotAEzQ1ZlpjCWlDm29H72QW8E4AHUowAPoH4ZVVAdAAMaaERDBYBFcW/3pAMHRgDl5FgCuFkQSFV11jXLlf9TBtZ4o1eDszY6bGZOCbB/CANtiOM0YUN+EOABjbQDiCdBCKADDPB+xCN/3LR71AcN+pdDUQFXlrdaBMh7RDdBROdkwTZs1TdBpVc53nNgAvdw2XWBiCMAO+A8sbcBMOB11ZV+vAEAgAcBFcADwgd/KMg2HmAAtuQ2TuM9HYCIAvB/jzWDmgVB5qVOIPgAzkOJAbAAQqWJ/4NVC/AAmOhqx7aJBRY/CjA6VQUbCnA4EEAAv+NHFHRgHvAMDLVcUWEAh4NCCrBDa+Q7CzAAT2ZYkohnpegwHShI7KdaxWhmY4cwCVABOZBG3ldazVhlx/gwDGAAz/hZ15hk3Yhb38j/Y+F4WxUoa3M0Ceq4juzYju74jvAYj/I4j/RYj/Z4j/iYj/SIjvzYj/74jwAZkAI5kARZkAZ5kAiZkAq5kAzZkA75kBAZkRI5kRRZkRZ5kRiZkRc1DfUAJdvhkVBiCBq5VyDJkSXZIiBZDyMpVyfZkqzQkS65knGFki/JDyUJk0pCCYkgk2mVky4ZJT/JFYXAk2IVlEZpkydJlGF1lExJDYiglGBVk+CwAFRJlTh5ksHoDDsJlTsFknGGc2DJIi2ZgzHJlTrllbNTCTAQY5bwRm1pThWSAA9QCbEBJWZ5lh55cB2JXZZQADU2AfXAABsAgTPFABYwl9s4l0JJCHe5/5E02ZdpCQ9yWQkGBkF+RZkNsAHVtQAE0ABz6WT1sJWN+U4g6WF1lgERkAB1IYwz1WhklopuhQAMIJdOJh+iOZrtBJKwaREK4GTbAQ0DYGADwJfbMQkKdgCKCZK4SZp5mZbb0QCcqQAWUGfcNQATkGX8oF7105G3uZzJJJWQ2ZED8AEPMAAREIxiQWbYVQ8DcHKHOZsGYAnd6Z2q5JMEgH3bsQAHMAAYwGzbuJ/CyJnzkTuHeZ9hppz0qUxeSWEKJjpzKYzqVXB1gVwJYAEJkBSeWSFcg6AJukogOZxrR5ViyQAiep8sogBWWSELwCID8AA6+ZQd6qGP2ZQ0CnQxyv9FNZqjznCj9QklHfmjSAmUQgqkH2mXPFpIOnqU83mkWpSkScqkSOqkNQqlPSqlR0mlWJqlWrqlXNqlXvqlYBqmYjqmZFqmZnqmaJqmarqmbNqmbvqmcBqncjqndFqndnqneJqnerqnfNqnfvqngBqogjqohFqohnqoiJqoirqojNqojvqokBqpkjqplFqplnqpmJqpmrqpnNqpnvqpoBqqojqqpFqqpnqqqJqqqrqqrNqqrvqqsBqrsjqrtFqrtnqruJqrurqrvNqrvvqrwBqswpqmjTasF0Mab2esE3MBghBVyhoxnCgIzzoxCzAI0yoxGyAIKnitCxOtFLAAH+CcPKHHrQmTrR2hra9DrglTrYRgAQggCAfwAf4lYwFTr/Z6r/iar/q6r/zar8jCro8wetz6ro6wAdX4rADwI41wsM9qAY7AsMr6IkyirsXDCM6mrghgroggsBQ7UIigmh0LZ4ZwoSGLMINpAfFZsiq7sizbsi77sjAbszI7szRbszZ7szibszq7szzbsz77s0AbtEI7tERbtEbrj4EAACH5BAUKAA4ALMMAmAETAB8AAAeFgAGCgg8Ng4eIiAsAEImOgwsMDwmPjgsDAQ8IlYqYmQackJ4BCJuhl4cLppWohwigrKODBZSPrYgGjZayh5q7lbmJt44Tq4KtKoIAAAfNEYa9mAoAmwawtgwKhhSCApwLBtAMhgbJtrWChgQAob0FpArtguul8oMM9vn6+/z9/v8AA4YKBAAh+QQFCgAQACzDAIUBEwAoAAAHh4AAAYOEhYaEDg2Hi4URAQKMjAeDgpGGjgEElZaDk4OanIOYhJuRnoQMp4yjhZCmiwSql4wEroeyhqWErIcqugG4AAjDCAAPswEKOoO2kgELCAyQDwWWBwMIgwkEj5Y0BoQKxwgLkQOGigEJoYQJDwLZ7IMO8vX29/j5+vv8/f7/AAMKHCgwEAAh+QQFCgAQACy3AGUBGgA1AAAHn4AMAYOEhYaHhQACiIyNCQsJjZKFkQOLk5KRAQOamIidCween4UKDaOGnYMFoqiDqqunrrCDlrOMCgiotIQLAKO8hJyetAwPDwsPAK2ZhLoBAA8F0wUDmJoGDacLC64BkQjdAgTQ3gkIBYMEug3pqAjWhLK/3oUG3Q2C9YQOCfH7AAMKHEiwoMGDCBMqXMiwocOHECNKnEixosWLGA8GAgAh+QQFCgAMACymAC8BHwBLAAAHtIAFAYOEhYaHiIMVCYmNjoMSBQiPlIY0AQYNlZuXAZKblJ0BCAagjqIBD4ymiKgBC6usha6pk7KEtJi2t7mvu6y9o6Wywa+awIcECgoFCge/laLDB8sD1gTIow0QmNi3g5cAAwEAASrl3wE0BiqDD4IC498C3oMCgwfphwgLBMf6hAgIaKAAoMGDCBMqXMiwocOHECNKnEixosWLGDNq3Mixo8ePIEOKHEmypMmTKFOqXHkyEAAh+QQFCgAPACylACcBDwAdAAAHfYAFDgoBhYaHhQUFAASIjooBBwOOh5ABDQyUiQWGjJqWhQCZj5yHDYSIoIYHjZWliAeom5oNrQGqiKKzmpEqt6+GAhIOEhI6BJYMkwUGjwsBBggAhQ2kzNDNCI8N2qEBKtWHDN2FEJMSvJ0BEAfpAQkA5O7z9PX29/j5+oWBACH5BAUKAAoALKUAHAERAB8AAAeFgAwMCxUECoeIiYkDBTQBj5CRkQMLBACSmI+Uj5eZkwuQOJ6Qm5AHowGlkBWjqpCdmK6PBAKZsq+xoJ61n6MEDb2orJq6qY80BwcRAAkDxJy8wLagBwQFEAEGzrEPDQSPwAMImQwA348G37CoDKcM0qgBAggJBfGk9/n6+/z9/v8AA8YLBAAh+QQFCgAIACyjAAoBEwAnAAAHcIABAQMKAwUBKoQKCoKNjQY7Ozw7AjmRk46OAwCcBzseB5wAmaSClKWopgKpqKespK6vjrGyqrWzq7e2ugG0tb6ywK/CrMSpxo0KAqI7FQDLuZkEkJE7DRKTkQjb3Ai83+Dh4uPk5ebn6Onq6+ztjoEAIfkEBQoAAAAsowAGAQ0AFwAAB2GADIIEgioqgoIDAQY7PDo7EAKOPDsBAQU5NDQSOzqampahljsCoqajpaeipKqrqZYAsbKztLW2t7i5uru8vb67BA8GDws7NA/ID5YPO83GFc6VywbUAQPU1a3a2ojd3gyBACH5BAUyAAcALD0ABgG7ABgAAAf/gGxdg4SFhoeIiYqLjI2Oi2pqZ2ZlaGlqaGWUbWqPnp+gh2psB10EB6ipqqusra6vsLGys7ABFTs7Bzu3uAcCtMDBwq1TXQduw8nKy8yoAQUGDw8AOwkP0QPN2swKbgTI2+Hi4wY7CuPowd3f6eIVC+3C5QXx9a7dx/bNNPT6suXn/PlbB07gMH4GYc1LaA9fQYa0EEJkBXBiO4IWI/bLiGohR3EOP8aS+LGiyG0YT7rKsZGjR5XckD2EmYqkS3M0Y7LLqcpmxpc8hYUMisqnRZNE1XmbmdPoRKBJZw0l6hQi0qhSl0atyhDCjpZYY00NytVeABo80qrloYMHgLCwYVISZWkxQIMKOXI4UEEDb4UGcF+N5ekgW90AiA8gXhxYsNbGkKMOjkz5JIF1ar5o3sy5s+fPoEOLHk26tOnTqFOrJv1GzQEyXmLLnk27tu3buHPr3s27t+/fwIPvXnMjQCAAIfkEBTIAAgAsdQAKAQQAEAAABxaAAYKDhIWFAoMAg4iCjAGOkIuGk4KBACH5BAUKAAEALHsACgFCABAAAAf/gAGCg4SFhoeIiYqJCDuLj5CRkRA8FTs8O5c7OioCDZKFEDQ6lZ+KCo8IBQGUgwACBIMCCaCDBx4Gggo5EoqrizkLrDy2AoQCCCoJD4UPCb+FCzoDhAQV1AYEBrm2sYMDCAioAQY6Aiutgq/HNB06Or2CFTzvtIUCxoi8OjkBA8TvmAU4QK8DDwgBHPDgcSBdgAj5BAnIEauAjlX4dOkQRigHgkQV4hGAF0CBgX4LPIwDQENQjlUO18kyFUDHg5HQBAAolAOhugoVcnzyKOhBhY/CclAbF+BBvwA5mDk8EDHArEEeHvyjR89cIRo0DSRI0GEnUXILAxQUNuDVqJYBnCqsGFbsmL2aN3UwUBQBbscDUD+Si1qoQFkDKpzKExaz6lVBWaHSRCBwEIMOdyEb6ylogFdqCVQ0iAjgKeGpju/qmLugw4EHBzpwJGRRgoEHDTpQjCs4AABiCXBQfKCDsoCggmgAAEesaG9ysw+MG0C1ATVEBl41gPaMEGAJCfY21cnMlAIACRzWWq/o3aTm7OPLF6R+vn1JBioEAgAh+QQFCgATACxbAMsAZgAPAAAH/4ABgoIEAhKHhgI0iAQBAg2DkZKTlJIPiQiVmpucghASDwUSmZGFAqcSi6enghIRnbCDCDQ0qxI5pLG6ggwHBYKzDws0kJoKOQaTDge7nA00AAyDBAc5Cc26BjQLwDShOcWVBTTJkhLh2JIFOa+TADkq6Z3avwEPNAUMNBCbx+WR5wocoHWtVIJUAlZsAiBB2qRL9Q4IUOFAAr8ABBog5BZpwUCC8QI8o+UgwAAajRxwFEdukgRFERA0oABg0IBUCBAMRFcqB7NOGh00QPAggKhRCAAQGwQBGgIIzwQ0KqD0QLlGGDkpaGlu26AEORwyxBqgaT11uGA1SDvIENkENP8GtBIQSRtHu9j8TWI1aEEOBSZpFBx0jpIBZJEGADiwGEC5tQ4DbB3cquCAyAG0Fc2MLy9icz8FjQP8IMejBqgPvKRUOpfRQ6mWiixRt1bqBhFW921witZmvM3G/SOMbh3gw4tgI6JEwGclfcWeRZqlHHZNzosAIID722szvZJwhDZKg3SOlZ3cUlIhW/og4JO2Sh007neOs7qEu2wnujxGcKUIxRJ/HbVHQ2KyETIKZ+gFIwg9eXEVyTKRGCfIQJtl5B0lAx0QEkb30ECKe22BQshAxwGI0Qq+PegNNusM10pxfxGiyCk4CMaJAQihYtpmIh1Yyo0C4MBWAO/YMks1OQzkIAEAZMEygANADgIAZVPK1dcpBwAGC1WnNIBZAAjQNckCXGr53imkABBOAQI4EKUggQAAIfkEBQoAAwAsoAAGAREAFgAAB5eAA4IDXYWGh4YBiouMjY6PjgI6kzQBOZM6ApEVHh6YnB4AkIoGOxCjjaUGjYOtgqqsroMIOweLCAiygzQ7HoM6HboDlzwGggmKwgMSO8YDi8oSxYI6PDrRzYLQwtLOC8m6OczOOhAPEsIAzYoLAAIIAbqwqIvzkCoL+Q07EfkLMI6Y7RgoQcfAHQ4cFRDAsEGACAzfOQoEACH5BAUKABEALIIACQEpABwAAAfBgAGCg4SFhoeIiYqLjI2OjhGRkpOUlZaXkYOYm5yXmp2gnQQGBqGmmBI6OaeskxUSgq2yEQixkg8CHjkAKg08NBKzk7UBwzs8xxXHPMwqwrS2kw4NDzsCOgYEz5EQ0ZQK1tuSFcSXBTsA4pIF3pPnB4/xh+Dw8vaC5wD39/T79gvo/DWa5EJMD3Wgxuw4iJDTO4Hx+kF0lG+iI4kWETHYaAAdgY0EMhJKsKPkjhzISuYQOWjAAQAHGgRA8PIAMZaBAAAh+QQFCgAQACxuABIBHwAnAAAHv4AQgoOEhYUBAQIJiAEeDwqGkZKIiow6DwQdkpuFlYiOAZyihIyjpoOlp6aMrK2ur7CxsrO0tba3sqqmX7y6o17AvqK4xMXGx8jJyq4VBcutNAkEz4w0ARIq1AHWAQ0D1NwBDtnL4QEHCuWt6MrmiA0Mye6U38fziAnxxveIEtPF/N6lIxYQEYB6t8LpA5CgQQILCRDa4mZAwrcG7RKlOxDAwAN5BvRhDFBB3sAAAzAWMKANwDQE2hY0APAxprJAACH5BAUKABMALFYAJAEmABsAAAedgAGCg4SFhoeIiYqLjI2Oj5CRkpMEk5INEpaQBwERmo4AAQqhn4ucAQOkpYiqDAKriKeCAw2whqqCDJm2g7KDBAm8griDBcSlvoQMx5rMggrJmtGEo7DMDNgMBbufsgMMAQUJD+QPC6ukAwehDAbCAZwLCAEIAwG1wgAM8wEE7hAPhCFwN+hVAAfvCj0I9qBAQkICABB8KIhAJWGBAAAh+QQFCgAOACxKAAoBcwA2AAAH/4ABgoOEhYaHiImKi4yNjo+QkZKTlJQOl5iZmpucnZ6foKGio52CpKeoqaqrpQGsr7Cxrw+msra3uJoAtbm9vqy8v8LDoMHEx8gOxsnMvsvN0LbP0dTArtXYsNPZ3KHb3eCc3+Hkl+Pl6Onq6+zt7u/w8fLz9PX29/j5+vv8/f7/AMFVGkiwoMGDCBMOZFBAocOHBAvQMACxosVGCxQYoHixo0dBCxo2WPCxZMUCJAMg4Giy5cGQgza6nBkxpSAENmnqfASTUIMJO4M2QmlIptCjh3oWOpATKVKih4w6RarUEAJaU49CRWSgadaZVQUBEDAWgA4GX3dCNSBA0IG0TjQXkFxgIEHDBHCfoqRFAEGAB1jz7lyA4K0gvAF2Cd5JIKeBhggULJ5KQ6XfyUgNABiAmWYgACH5BAUKAA8ALCUAKwE0ACIAAAf/gAGCg4SFhoeIiYqLjI2Oj5CJD5OUlZaXmJmalIWbnp+gD4ahpKWio6apmoiqrZaSngELAgqul4qeCgIBAravuJoGGwEWIL6ci5oHIMS1x6fJmA0Xzc/Q0ZbLxAYDDAQBto+XEdQWAhAHAQAJg6mwmxkFAQkAAQYCFxAGEwbgpe+aaAX4UG+CB0EcJiyo9w8gJgHy6AWY0EFQxQAHG7LaRI5YwYsXM5LChileAAgfAmygIIglRn+uCF1CwGCSNkUiYwrCZCGBQgjUcMK0NkndgAAYJBgImignUVEHghLgwEzoU0sWGDxyenXALkdcrxaw4KjC0KuTDGhgxMDBWbQPMQ5MWIRAQaS7gxJ8S0QWL94BbhHV9euXAAAMhQYAsEuYsIF1CeitbUw5AIMBRys3CgQAIfkEBQoAEgAsBgAuATYAJwAAB/+AAQEEJiQkJ4iJiCQmio4nMyaNi4eLk4+ICgyCggyZCiYKJ6AKpKWhpKGop6KtoaOprJMgA52NoJm3t6MkuKSZJ72jqrCXrsWiowEDvsOtvZejvKnF043Qp9PBuMqLvtDSrdKKCuDgyeLbk9y/BOHfuI3y4ePi6cnArNW4BOLgsKUCZiOHqR67f73KgXKXyF4jDBMMTJgI4tU9er4mYEiHjZ2CfrpyjRpx4EODBhYarBAlSRI3RC5PgMhggCU9daBMuMNlrtSKBIlAIEBwS6CqUsxAgWgw4dO6cAn7AVwlaUKDcBM+nJowFMIhUVwRPBD1oeYJCDVVRVuoqKcCDED/Q9VIUFOBhgYPfgK1y9QAzRNMFSBIUOPZqaNS7Y2zevJAgw8b59YIhaHBhQUNMIziSsKCAQgfhDVM6JLQiUvrTIRoUKNGAQyDGyqoASHzAwQgkoHofBKCw0wJPwakSurnsGCBRzSI8DgCBBsOQEiT3iBBgg/SG47bxrAntBVXt5FguiLChBog4L4IsGLDKNg1LDRNAMEZzHeJLa4b8QHWCaskWLXRCQYkwEEACtR3wlAnyKfABBascNxwqjCkUFGhlFfdhhOUY9J11h2oAADWWVADYGYxqM42pOwEnCi9GDLRjBupMhEGJmAgogEjjGDjRrMZIF02MC7kS0hHwnMh/1IOIIjBAQkgxc5oRI7iYj3AYOmIQjc0qQAHXAEAgAAdboBOW7FIpeWZWKZzwgBNDiCDIB4oEIAN12Vwpj3QWJglm2wSBOcyHQhSaAAVIBAAUNs98tEA2tWzy4T0mDDoAIceWoEBAdSXnWKtDHKcWkcSk5MkpykwQAoIzhmAqx1AEIABp6k1z2m1LKNLLEf1KhCTgijaabC1QIDKsbFwMsgAzDbr7LPOzmBADQMw0KSy2M6qKrTMbpLtt+ByckAIAIQQwLXhchruuuwqS4CssyaALrjqtmtvuBlwMgAA7NZ777/KMnDAv/4CbHAB8LZbsMEAo2VvwgwzHGW7FkRscS4A+a47wAcXRzzAwOEK0LHFG4j8rQUEjGwxAQAUwEDKA0zgQMoqX7zBZxB0yHAgACH5BAUKABEALBkAOwEWACAAAAf/gBGCg4MGCYSIiYQYhoqOgw0YDwknj44ZCxgNEwqWiQ0bJxMNnokjGAomCxMTpREmgqkKJyeptSSPChoCALS1v7SzlYgDKQEhnL6/wsLKAxwBCgYmy8qzic/RKKkm3dW1xNAXEwMK5ibc3anh0QYOCQMm5ebnCgP39wTQCiUMCAIHAEwQZe9egIMI95U4WIEAAQAWEBhASPGgQoYMLwRAUJHixQAVDnpQsLFjwmgUDnZQSRKCSYsHNxwMcXDCQZcIBxhgAPPlQY4ILQwAQBOazwA4AxCwGcAAAqM+k5Y8qMDC0akHBwi4SlFDxQVAuUqtSZNrWIoACJg1SeDAVQNlHzsWAOBz6NECIkxW5cpAoAIGAxYksMqV6qoHF9R2DAQAIfkEBQoADQAsGQBBARMAHAAAB8iADYKCJAonJoOJioOHJgqIi5GOCo+RkQoQAAAKlpEpARMTnZYKKJWji4+UkKMXEwwDsbKxnQUIGAG5ugGdHBcWCQcAA7qoggwEBwkAG50luR65FRsBCaTPAdHZnILFgxfY2h3cDbuDBAa5CLkJBN0BCt7GygfxHMYEIbkGCPfGCbomADDWAMSBXAQHGYCwq2FDhuouOJy4TtcBAhMbVsyVLKOuDel2TdjokICAiQYOOmRgwaOCFwMIyGQw4aTHXAsQJEAwgZiuQAAh+QQFHgAAACwFAAYB8wBFAAAH/4AAgoOEhYaHiImKAAQDDI6Qj5KRlJOWlZiXmpmcm56doJ+ioaSjowOOAYurrK2HBaqusrO0tba3uLmKDLG6voYLv8LDxMXGq7y9x7cFy87P0NGIydK0wdXY2dq2vNutzd7h4uPU44jX5unqzt3rheDu8fK45fLo8/j5yMrx8Pr/AAfVi3cvoEF87eb5O8jQ3UB3BRtKJMfP3cKJGLc9XBcxo0dpCeVd/EiSXYCK6jqWXEksZD+WMI9tTBmz5jCXFm3q1DUzncqdQPfl+xm0qKEAA07iC8CgqdOnUKNKnUq1qtWrWLNq3cq1K1aU6k6KHUu2rNmzaNOqXcu2rdu3cP/jvjVKt67du3jz6t3Lt6/fv4ADCx5MuLDhw4gTK17MuLHjx5AjS55MuXLMKUeO9JmymTPmPpo9b94cOjRp0qI/px7tObPljHy66FHTpbbt2rNv39ZTm/Zu3bZ5A9etZs3riXrYAFCgQFDz5wBMDBAk3bkJBdUHYYc+vfmg6dWZM2dAoMtxiXr4eB+HXc35hunVKZjh/v3B9OvH0bd/n4/8/fwFhJ86AAb4z4DpFGhgPgiyp+CC88SXjgkmmAchg+oRqMeFGOYXznz1cShPg+KAKGKEGZpjwoMnpiOhOe21GA+J4lyxoYzr0BgOiziGo+M2Jvboon/rhCikOD9qo4CFjUea86KDRja5TZLa8ChlNVRiE+SVU6YIJZfeZImNlWA+k5x4AzTXXZoArKmmINMl4l2cdKr5pndRlhkNH17wscafgH4B6J+CDlroGkQCsAcffBxa6KOERrrGF34ap2c2CkxBhqacbuppp6BuqoADgsQBBxifphrqqpd+1AwCABzQ6j+BAAAh+QQFHgASACwFAGkAiwFsAQAH/4ASgoOEhYaHiImKi4yNjo+QggMElJUEA5GZmpucnZ6foKGio6SlpqAmQE+WBCZJRqexsrO0tba3uLmaM6qsU0BGKrrDxMXGx8jJmr+rlqlFhwGVAdQBhdSs04gBwsre3+Dh4qGtvZa/RgQqATNFRE9RA9JWT0FPT0cBJkZERFQ3loK4e2Kl0oAqRLAQHMewocOH33454SatXBFKR4AAgfJESBNBUTQ+WWLiF5AiRYQAUSCIipAkUZgIeRKAQconUJIAqWINos+fQIN++iWkqFGVFxkkIVJtyM4AUYQYocaASBIF3FwRIXBEarWoQ5TCErRkqtCzaNOmLdfkyBC3R/+qACMQBAiVIW+nJCkSQIqQKZRSGWFQ8QkQBlR2wrVilwATmCzVSp5MmSGvVevUKTgJ9agQJEKWEKgixASlX1UsQQEypQiQo6AvHtH50kjkyrhz667FzNfckFYoqpMW0jSBX1EqBjCykrkJij0FsTOyBMiS3diza/eUqlmlZwRmCKEiTZCV4H6NK1hakcGSJKOF8KR0cMqAJcGJAzGxvb///4b0dg4wgjQhxBEEMBBVciEBRIkR8lESUjqbJTGDIB0VpEQSAzBAwHuYACjiiLtNMZNvNBGggGEaEShBVMYlyFyLg51moE4wYbTES6EhSOKPQK7FwBGAWTLAEfwNMsP/FEMoUIkCRxhiwhEzGEcIk1cUMgCT9gXp5Zc+eZgNJYyISYAiDAxC2JisgOnmm3DGKeecdNZp55145qnnnnz26eefgAYq6KCEFmrooYgmquiijDbq6KOQRirppJRWaumlmGaq6aacdurpp6CGKuqopJZq6qmopqrqqqy26uqrsMYq66y01mrrrbjmquuuvPbq66/ABivssMQWa+yxyCar7LLMNuvss9BGK+201FZr7bXYZqvtttx26+234IYr7rjklmvuueimq+667Lbr7rvwxivvvPTWa++9+Oar77789uvvvwAHLPDABBds8MEIJ6zwwgw37PDDEEcs8cQUV2zx/8UYZ6xxvgNgMMIKK3wc8sgjfGxyyCeTTDIGFalDiZkwW2Jmgi9XErPNNdfsoZg308yzzqz8nDPNQ/dsNM5FI0300kcn7TTTSjcN9dNSVx311VRjPfXWVmftNddKL13N2NV8wAIALKSttgsAuCCCC2enjbbbLaQtQgtv581CBi2zmU3PMmsduN+E+z2z1l2D/XXijCPu+OKPKy5545BXPnnklC89DdnVxJC223S/vbbocMOttugsgM5C3XwbHvaYhxMeu+tDF/667bjnrvvuvPfu++/ABy/88MRnwzk1J4gwuuksoA563nR/Dr3de/etefG8z/439tx37/334Icv/v/4Yh4fgAafr9183XGTjrrcqUvvAtx8Wz8+m9rjnv/9/Pfv//8A7J/5YqC8thVQfvF7HtzmhsC4VS97t5Pc4HS3v+tZLnMYxJwGL7jBy3Hwgx4MYQZBGDvzZUBtCVze9FTnNvixUAStw18EJ2i7Cj5tdzYMoA53yMMeCvB46Iuf8kIXv+WhcHXyU17qYjhD/uWwdj6MohSnSMXwDbCAzDMi2lL3ti22UH14q579/vdE2lXxjGhMoxqRZkIUsi16K9Qb/FLXtuZ9kYm5A9wN+ze7EU6uPR30oyADSUgSFlKEhxwkKwaYviO6j4WlO2Ij6TfGPUKQhtuzZOHKuMZOevL/k8BrowO5WDfVJdGBptviFh+ISf250oyyayIoZ0nLWgrPfEH83CrdWDrSpRKBoMMjADkJS1sa85jInOAViyg99mWAACM4It9OmMTnCTOZMjSkNhG5TUVy85veDGciO2gJ85kNlaIbojyiqbYYECAA1DQd8+D2gUpasBpjwkYNy2k/feoTmwANqEApwUi1efFtMZBGACagthXUJADsO2gYWXk7MxngAA2YhJEOcAAnUfAACJjZAA5gAAYwAAEJGKhKV2pLUcqTdBowAN/Y6QIDxAAF8HQj9NxWv9wF4AERaMAC+nbRBng0jw1ogAFaBgOlUuIBDyAmS6dKVfGZCZdz/1Sg8mZ6RA3kNIHuoyjuDNAABCCgZQxIQAKMWs5NJiACByiAzTJwVoIGT5zdHGde9wpOvfaVr37kJ+cIOEn3cTVuLvBqBg4oPbVd83YyJauZFKBUCzipAAjALASO+jelJiCkL3MqAQxggCcZAAEGkGslQmBWA2i0qrCNLfdE2b5eUpKdXFRsA9PGOuvt7wFx/UBpn5oABUTASQtoQAIggICjHo4BDZjAAiKw1EuI1qxPjUACTitUaSBAqQZYK2dlS97y7g6rbqQeTwNAU7ThNJ55Y99W/1m4AFx0ANilBAI2UAC2LoCkNYyufRsAggQp1UPYHUADIPAyBFiAAWQ9av9+zUvhCmfyipFc39r4xlAUJrSU77tb2h67vQEP4AEZte4A+ovcCCyAdtCdQAAGoFaTXhcBBEguBipRgAfQOAEDUICQJ5Biv+L1r0g+spKNzGTA3s6cWSVl8/iGARQC4L1HrGMw7Rk7A0QABtB9gH1xXIDj5jgDQ91kAx5Aif+W9MYEAO5r6ZOADMAVrgcAgGotzGc+F9SgknRbfE8nRPZJ07d+s28GsIIACDDAAmxOboemW+DCDcAC1R3tAZI7XOyugK2WUMFnsaHQPpvawqLUcnxRF0YFonOBjrXnmLx82TWnGAP+jUClZRddm6k1AwwmAHYLsGkeNxelZhrABaT/eupmGxO9uw30I6tJR7HCzhJyNvAH6sriHOvaZgqIXZht9l/qJgi7aS0uA37MADd3iLIJmNmSnUzvJDfZ3vWetweXOU/UGfClrp72iGWdjfvqN66UIDZyD7BrN/8NwJa4aLDzm1aMNuADk2i3xRtggTk7++MsTbX6DgprLpaO5NMjMZsUsAAxsXxnA2j5uhfw2hOP10MLGG/ML5DwApipACF4sZEWEAKfg/zoU4X22Vo4v/eZnItGVB0AhFlBZg+Pk1ZHutariGFmfhF0u0yfPHVq7XzfW99oP7vazc52fLtdj+88HjVXOfYj/nKOeKfk1vfO92ESFIjqc2Adi8hA/2YWnnk97bviF2/F4xF26SmkYyTlqeUivnHgjM+85otnPhRkeY6qBL3oBS/WtLfd9G9fe+pPr3rUZ+7vnCMA9SRJ+9rbXuWbz73u2WS+ANTA9sAPfqx3T/zi8773Cgii8pbfvOYz//nOjz4MCW786i++99jPvvbtWuruv/P73g8/+Mcv/vKT//zmTz/616/+9rP//e6PP/znL//60//+9s8//vev/rhr//8AGIACOIAEWIAGeIAImIAKuIAM2IAO+IAQGIESOIEUWIEWeIEYmIEauIEc2IEe+IEgGIIiOIIkWIImeIIomIIquIIs2IIu+IIwGIMyOIM0WIM2eIM4mP+DOriDPNiDPviDQBiEPbhuA2ACA3CERmgCKmACStiERfiEUBiFRiiEVFiFVkiBBBADcMN80ud8SsSFyycCzIdHQgM4O+MzaJiGYCNvr3OGRFOGOQOHbxiHdDiHdiiHeFiHeXiHetiHfPiHexiIfiiIgDiIhliIiEiIgnhVjIRytvU+LGRHpDN8ONQ7UhM51peJU2Q+yWNET9d0WoVKJjdEuCdLfKSJqNhD6LWFXxR6zpNCrsZb0xc0prhJ5NN6uMh6urh6vOh65OR/ZDN3kcQ+WXR5aBNHoNNCiWeJtRhLqfiMafRnKKREGhZooxhJXlSKmZRNtKhJW9OM0BiOt3T/POcUP1uEN/KFN6HzQlt4aK+0Q1knjvKoO43IdFAXeMAXPaszX91oQWfki7sIkL2YiwMZkIIVjGSnNmEUeglUeXajOstIQRU1jxQ5S6soZZ/YSGFHd9KjjbL0XL+4P/FYkSQJjGNDWBtJe6aUXrC2ZVMkbuBYkjKZaHKnUwC3Ooa2NxmQAcwTdpg3QSPpRAQpkEQ5lEZpkNtUUJR3RC1AAB3mAjKGDdRUROo4fQSHdTOZlVQkcqPDOus0cCDQAh9wCXeHOh4JPInTSv2olWyZT4B3Sm6DU/LQYTJmOiRAAIs1eXZ0ltOQT1fHjW0ZmISDS9SojyygAShwWC0QSZMA/2IuZG1wtwAWMAGskFzj5T3aU5RIWZCcqZmd2WRKGW2HxTZps1RVFnjKSH3Yplxz9l+XKZiweT9ttEuhgzeHpTYyRgKANkouwJcE8Gll1TIotmv+t0hxtznWMzaxuZxuOVi7KUm3yQIj4HuQ94n8qDtARWSU2WYdZWzKdVSkxWkegl/bNmcToFbDtZbMqZVQtjb/9jmjOZ0dBkyiM3WIBkU51lHfpVEoxnMnVVandQBsJmyfBQGlBVyo9V1O8p8QAAFl5XGb6ZkSepSfGaGCA3tk4zmDZ0dLN33slFAgoAEZEAM8eY2io41mImcKhmNx9m3TtWP6BVoKSh8L1mBnhf9SHkVjLLqeglk+NcmSZvmbzSMPwWiP1qSalbACBzAJC5ABYkZpKjKgDAACn4VgKZVwEfBaLEdj6TlaDRCUPJqJF8mbYQV2jTVtlISkLapR36VxHoVZDWBxMrqjD2AB2aBg28mdrxmmWblM7/l5T5eRTKc3VHc7SqpRl4YAKOYkwAUBNIdfc1oJKNYmErBmlnCoFDqhFrqpFdqpaWmS1TCVzXQ3aOp0dDeJvpltlLAC2hUBBRAAamUJyCZsdUUACsdjHTdqlSBZfAqbf5ZFdgc9q3Zy1eSb//Va/4lmAYBSyzYAFxVSJ7Wj6RZuCoBdwLUCkyZavRqYqSZ1pDRETnf/j/SZqktqJHFaYP3FcQCaYhOmIkllAayZIGTFcSC1rb76ltEmP/qYjCImrL15n1PzcjgjsJewAAsgV+1mUgWwZztTAAY7MyyXc5k6sZyqqZ5KsRLEbw30nl+ETuoDkWrahhYkh2oJpvYqpj+6SwcFdSVnj8f4Ur55sjLbPdA2ecl4s28Dijq7kjE7sz47PMuEd8IXfFt0TRZ7tBiLtBWbtARpPh3mkENre5HUsz9btb5jPrJnZW/UNly7tV7btV0rN1RrtWTrU+bze1GbtpRYtmyLPdg3AJ7TfHL7hbNHt3NLPUyktBe7tHy7t36rtFcYuII7uCYIqoR7uIibuIq7/7iM27iO+7iQG7mSO7mUW7mWe7mYm7mau7mc27me+7mgG7qiO7qNmw0qEGqLZ7JtG1D/NwATsAIT8LqyC7uzG7uwe7uyW7uve4S8qwC8G2TA67u9+7vCK7zAe4S+m7zBe7zG27zL+7zLq7zHO73Gi7zWS73De73Yq73Oy73Zu73g273h+73iW77ke77em77jq77my77ou77w277x+77al0viykz4G6wQqQLVq72/C77/+70BPMAEXMD9W8AITMDyu8Dvy8Du+8DzC8EOHMEUPMEW3MAYLMEZDMBE2nvoc3mGKYnPU5VhNERcFAPEm8AqPL0r/L/i28IB/MIs7L8wXP/DNnzDOJzDOrzDPNzDPvzDvPu2wJpO6KhLwGo6hjY3GNfDBwzDTazAOnzATwzEVFzFVnzFWJzFWvy/2Pd7rBioD/mQ05NOLxUDCqACCTzFKiy/a5zGArzFcBzHcjzHdFzHv4t9I6BELSnCGbmPhSa3LIDCUBzDb5zCWqzGOXzBGrzIFbzBitzIjPzIkuzIlBzJldzBx8NOtCk6VVly7tlMarPEhezEPCzDOCzFhGzHqrzKrNzKWozHWmQ64Uqa+qthorzKiGzINozKrtzLvvzLwLzCsOyJj7SRdWdKZozGbjzAiMzGy4zAphzM0jzN1CzNw0xy6QOJjTRKjXXLqfz/zYN8yFY8yZZczpB8zuSMzpeczuy8zhk8zE8XemNXR17kQueYAco8yiucy8/Mz8/8z9Uc0AI90DkMz9aZRT5Znf0myKzszzRMyrpM0BI90RRdwNcMTC20mCjEk8W4fKbjzQacyO+7z/0MzRV90iid0vAcimmTUCXaAlghDfaLRMGUz+Bcww4dxePszubczj3N0+r800Id1ETtzJjMObgFVqbjVTklAjNwPhnAMie0S6LD0PrMuztjUiZFxVv9wzDQxikd1mLdysJ70To1nYRxQi0Au82TUEFEyx99wyf0hRmArT+8kyENwxigAWPd1349zSvdRZ9jU1i20Syj0VbW/9JnDMMM8AFQiQITAAE8OQE//AEZQIQPvc8uANJ/3dmePcfDvJIm916RFJXKt68iYMbM/MZ43bu9abxfjdn/q8yyzbs72dUkHcOtDdFFDdQ+3dtD/dvC7dvErb5HOMzTc1BLZTZb9AEacAIB4HlCZHK3zM+W/b87WbyJmQEaULwfMAITsJMTwAAbsJObdYQ7Wd7A1rwTQKIZMAHFG97cjQEwoAAn1JsXcITyrQE+d9Wf/d8ALsy9R1MHzQKFTT1NOQC9lJPJDMMwEAMtQIQMoACbjbwn5NxsQwJB5gIt0AIiepgebjYagMYawOEa4NiLNgAqUOLOvVh8PQDog+EskP9zGtDhm2Xfm13iLGDXAd7jPg7DyK1VoEPaLUAC0u0C6zaoqsPZCMwAPLmTO9mbR6gCji28BdACGRBkq5O8J4QBR1jiX202lN0xLAABMIABIjDmDw7TCiCdFs7XFJ7lA+B5dm3fLfDjeJ7nBBzak9hLMkZN8iCi8glMaNPg31y9KA7le0PZbf7i4cZQG/7iA+DYvAvpA7Dbl57lGADfQlbebI7lKwACHbJuJ9DaAPDcvBtNoq7Lwx3cxQ3csN7qsf7qihzYoShjjr3l1YACHe1YNo3Ije0CQSZkIMCTGHABh4nZEyACIAACiaXMGXDn+s0C6K0BX/3lLnDG4Y3EKT7/AcF03gpw6pH+uwUgAitw7Xqe7j9u0OwoaGcqhqv2OXSj2jWc3b8LAmXe5gZgvAwlZB5u29LuutTu5Jd9hDBA6cv+3k5S4woAAw5fA7mOcfad4iwAZLxbZQWg7hrv42Ydi3wMrApJjSzA5AXc2HLOuxuQ5gr+AUS44sLe6NAe8Ja+2wqA5TAQ7cKrAjiPAVGtzOgjZFKe6UKmAjDgeTm98Ugv0ez+SCImrnOzoU9n6CON3osmZCx3QhnPUK6lAAwF54kF8JVO7ZN+mF++407uAtiafFvu7B9QAApQANk98Uf4AGRfACsw8q6e97Ou97Le97T+9xAcxANeWKINdkPc/7JoQ/IFrAEinzZjDuMotMTO7ujRHva+q+iOf4RX7lgMlfHsVDct4OVj7wJe/pR7c/RJn/rTXNaDz83xrJL42LFS78awC9kTANkBvOkTQN/Iu/u8C7sXP+YhMAKuu/v5zPUTQPyum/EDAAK3//hBFrurXgC3/6iqf/1jvdLVBkzbTM92lzaKj/3iP/7BjMdKRJtZtkCX556pBDdWzeqAv/fy7/d8H//0P//2n//GfdRkAwgjLIMsLoQAhoWEiYOGjI6EHwOTlJWWl5iZmpucnZ6foKGio6SlpqeoqaqqAa2uryuELIiKsy4AgykCNoe2uLO2LJKrxMXGx8jJysvMzf+Zr9ABMywisr+yLC0cEhI/2N+RzuLj5OXm5+ir0dAZ4NXUhA7cKeCD79UaCun7/P3+/wA9rXt1ot43eRLoGZQ1LKDDhxAjSjQ18NUADRkAZNjYgmOGjtxAiODYomTHjx41TFzJsqXLfxWhEWCgicA2CQYOGJhE86XPn0CDLuNGtKjRo0iJXiAKIKnTp1CjSp1KtarVq1izat3KtavXr2DDih1LtqzZs2jTql3Ltq3bt3Djyp1Lt67du3jz6t3Lt6/fv4ADCx5MuLDhw4gTK17MuLHjx5AjS55MWSqDFVURVCTgirPnVpwDfB4NurTozqdTqw5dOjRr16ZXo371mvb/adK4b+vOzXu3797AfwsPTny48eLIjytPzny57dkxGRTAUGB6dQwrGlRNQIIEdQUEwotnIL68+fPozZNPn349+/fqx793D7++/fv48+vfz7+///8A9ucefZt9kMg78LDwQwsxQXNAghmIdh999VHYnnzzZRiehRcG6OGHIIYo4ogkllheRTEQIoIh79zigg0GNOhKCyu6MJKEH3J4no4TYpgfjyYGKeSQRBZp5EAztFiICC3IwiQOK8gYACLvRIijjzoOaB+QRmo4E5Zgbhjml2KWSeaZWpqZJppjrulmm3CqGSebctZJ551v2pknnj6mN5AGvTTCZDUs+iDVC42w/xBhlxX2ud+a6HHJ6KSUVmrpf2n+SeiSjCiyog8ANFgAL0suip+k5QEJaXxmsnomfKheKuustNZ6nqbfMDkILo7Y8MFTJQjqgqkgqprjo7Ymq+yyyg6UYi20UOPIik82sA4BiAIzCLF8Ruqoq8x2K+6e5M5Zrp7mpovuuuOq2y675757563rtHONjYnY+A0OOIAAmgoGUIAgvtxeuqp+B6ca7sIMN4zpies8q62NNBZySy00+sAvDj4gWLGNH1y5ZY8dvuptq3bC6vDKLLeM30Dt1KKvoIEm6gIj91ZTMIA8xtoowi4HLfTQ4v0pSyI0PiLsN/mu2IiVCqdMdMnxVv/trtXwXq111lzLi7XXW4sLcTQxVEMlNk63kO8vHb3zC77bBqCCyMWe6mHCKE+t996MrjfQB0fzqquiDAhyNAEDHO30LzsT2TPJJvMt+eTNRpwoOBkMEIDh+PrLwCJLK0r3hAxwmCXQx1Ku+upCwrwr3L9oEIDmhg+CQgCl18xpwXgzYAACDTSAwAb2QaAZuOf9Hp4CCIj49fNhQ9+19GBPH/311mdf9DqALuL0zRCgEGHtEaIA3qaDfCz66K4q0EACBhSwAPAG1IdA8/k9UD8BEDRwN+sADGCAnIU+fFFrWAGYQCMUoAAXKOAGCFqSBBvHngEIjz4GaMADIGae++H/iDbb+yBnDGCBK3XGPKARoApXOMB67Sp0cTPcCBjQJAUwAEFvcxoF0/OAA2DAPAMwwALEMz8EGAA84blfeAJQgN8NTzxNxIARB6A/AiAgAcJDYhERsID1MKCI8WOhGMd4H2eBg2I621w2okGADDRtWrz7FvDgg4ADIOABwRuiFY+HRw0Cj4/BM4ABfJcAAiwAiw8YgBXt+IA64i+Dd8SiHneEvepZknqYrGQmtbfJS7rrb4mK1iLGlw0DoGACE1ABAVDwMUI5LWSnUqKjFtCABYDGAAlQpBIH8AEIhIaWGwhAD4coGuURIIOiUcABbDnCBpQuAZoRzR2jRsZqjtGM/7ySRdJupECZDeBzodPXDhXGgCu+54oLYCAIMqjL5hUgAhNQAAhAgIEG1C8EDVBkeH5HHlxuqAAMwN0Frli6Kz5AARLymTUXKjnXYeMahWgBAWJxQBeAQAWKa5IO2Rcpc1KSAFjMQAQOEIEIZOABAfDgA0paUpJGoHm01Ocx8dc/KALvAMGzgCILkIADZCABD1AoQ4c6NTPa4ntOu9zScDEoTpUqhVI7ZgSQOB4jWjEB9FmPEhdwAJmWB58y9Sf//GfIl2IABgR4AFbFE8Q/ftSTnNSkXONKV7jatZOdXKILvYcvKn2MSnB7xAHj1iMFRMCX5Xln/djJ1i7ukYkHmP8AjtJpyHyKx5gQKOQxLaBKzgCPASpAQAE800OhEvW0DvMb90BXC6Ypbknqg9s40ZOTQc7knR8IzzsRUDoGJCCXe0xiAy5QugkcIEp49Bs/j+lM5oJgJniURDmdWVDNova6lMPVxJCaNGk5dWYGTMRs0aPWA2BRJzI9pHntONqrhmcAwLNA8DaY1q6Kx6M9bMAGYFDHBljAiAcATwHq2FPRYvfADbUcX7UVOsGxdmlxRBdN9KHIrA5AH16cxHgYgOEMu0fD7/3mTC5MHpp8mCdzvWuK8briFteVxS9GoQtpkVSnDlZQTQKGrqilEY6WyIuuspDp3orgIu/NaHzNYY7/KaY4RwQ2bj42spSnbCICtnYhunNSeMdL5S57GUCgfB20DMGrtxWizDYTVIRVHOM2s/nNMIazi+Xs5jjviTXQkFgvOmWNekCUEFz+sqAHbZ+BoEDMkFAEJPKlaJmd2RCBJrSkJx1CmTz0hdr6haYxvelIRJnSoJ50RWrQqRybOn2ozkaqT03YULv61XiOxgBiwGcs23oQITMNbFKz617r+te8Bravg03sYRtb2MgudrKPrexmM/vZy462s6UN7Wlbu9rYpra2px1rKXn72+AOt7jHTe5ym/vc6E63utfN7na7+93wjre8503vetv73vjOt773ze9++/vfAA+4wAdO//CCG/zgCE+4whfO8IY7/OEQj7jEJ07xilv84hjPuMY3zvGOe/zjIA+5yEdO8oqfAJUTOCUKVI5ylqcc5S1/ucpHUDIBpQ55Y+KPpLL6rZ5HdWSwZllFGBCzalALHka3h9KTriKlR/pnVFMZkakJ9JN5yXFWN23QZ1URDUTwdXCDrSv5LDgaEUvrdfsxe3b+sK0feCAn+J537VFrp1JDfbLY4arwBrmhnS7qfZc6nQdv5zkXHmVWziaTxd5dHPN1cLkOvODbbre8+ZzqOLc85LSOdrdjvdut6B6m6V5je+RYWjeGR4Tmdvmqs6vmOY+c1ddOe/9wPuueb5mV36joFv8NTu7TWvzTgyTUzmc+98h36MQ6fTG7XyObeeeosTTvehIZn+0/av3xcV9nw3u/++Cv9Cue1bQmBy6c1EraePmOeZ5tHuo6537lZQ9/5FcuGjHLoSFaSWY/1wNq2oc68wJ7AXh1QUaAgnd7b2V89lckSBY6SBV2jiBKaCRenyZ5yDJ/DbiBtid+rlA2rRV22KAv9yIziyM6tbeAAcKA9dd+U/eCCaiBKXh4hPd9NehmYwMNgAMM/YdGFpNmOGN+gcaCHTiDl8eCREhNxceBzGJUEhSCGUAAteMvrjAAiUCBN3IlDEghd4aASRh/XfKFTMgoDsVo2tICtNMIJjAAKJH/aHdXJReYga2zgv8zhqilWtHQPczHArejOd0kUSMgAoIoZo42TgTyABYAXOUxABFgWUYyAcykMgOARf4VPJboS7IUeOTRRB8QPEYkhgNmhOFHg6Rog9Tjga0AgiZoI6bEIIYTIZoTACZAdmoWh/uUR+ZhACblVULCABpEOg8QjLh0R8E4RB7lH1wFP9MBPGv1IZlIfXY4KcqnfxZoOCFTAB9wOw3Uf04FS9vXQ8/oW1jkVSC0PUtUNK8hYyJjAShVafVhTx0UTVClV/NoHspkW+KhAPCjV65Bj/QCVSl1PNG4LEbFe6qnRnLHAhgQADETfGkEdRlUWvnYABPQAFS1/wDy9QGTRADMY0+TuEEF4EwZZAEbOV0JoEchKV8WUGIZ9D5UFSn/1UEJoI8XlFhYhAC8eF/NWB4GQF/3g0f4A1/vcwGpYgCdmADP5VsNgFMvOZC04lD69z2kxGcxAjjhpQgAWB/CdAA8tT8zZVjgMV09ST/hwVV3BDwNEAJMJDxnmZaiEZJ3RELNQ0XC00WTmAAT0EjL9FG+iFj3lYgGMAFYtB7905Z69GHw6CMSggAfgAATECMr1Zb7c5djyZUEEAK/FVTyV4qjaIqeyTUP+IQGREp8aIWDQAIMCTqjyT4coovwhT/ltAEhqUhc1V5X9Uz4c0zHRQAgIDw6GR6+uf88aQmc9MVYM5EAiCVk+1gewINE72RLBeBDEoJLWuI+9LUhpaMCWmVZs0OREoIBETBaySUe8CNNuQmNTumAEYM+qhZ9hyYMAaAAGSA7BWFATsUtQBIABpA5eKRIkzgAIQkeF7Yhh+RMymSbFrRBhmWbeEQABZABR1QAF6CPzcMA7JhMSESX56kewbkhx2hBknVFEnoBF1Cb5hGdK8BWOOVTlkVQ4dFDK0CiFxCS9TOgiINH+3OM6VkrUGmfwZABKhALhYACcxMAILBkgwNoF0ge+hkB31RLM+WgU1WW/YVFK4lHVGWhIcCRXDmd/sNVOWWJvEUAvwhdPfU+DeCXO2L/AV6ZRLkJogGQAI1oicETTIuYmLe1AAUAAU4aXOFRkXTqX/XDAOWFpjm6oTsqK6GpmragNulnEhDIZFlZH665R74FkhZZX0f0TebEVVQFAw2Qoob1XPtkAQSwAeFpYr1FnEnEjhgGTUEGq8xpXXBKUKXzTTDAhbJqHlzVTuuRQTb0TSogYv2zAhhmVX56gJ25rDfYrHlFQIn2C75nhiIYWNSidyi0nzulQZZVT+Cho4OZoKehTKJ6AKSaVv7jPjHCVhXGjsf5pmmaJXg6E5kIp8C6RKrKq3uZiy2am9HZju+lShHQpompo4mqqHsFWISQY4ITXid4ZqCzZrRlWQzQ/4nH807gkRMYwGH72VwGZUg9taUBellkhQDsOAnGRV/w80wzKR1u1R4xOats5Z0WhAAKAAMDpohFqRMFMAkD5l/kcT9elAAkyWEQsJe/ZUMDZkfSlEtieLD94YQ4FkHW6pASaA+TCh85oU911F7RCR406Yk5IaAIkAGBVEuQZZsZ5KHBg1NeyYwDQEs4xaYuGilpKpMzu648hVNm25TloVZhCj/6tKuIg5YH8AHtuLeCKlb55bdQS4YJy2eLh2lV22eFMFv0QWIbYkMh5kUMVGGc65/Bql8zwbkjJmLvRWFiwmGcy7r+ibppog9lIrubWzobcmGwKycThmHlQbsZxv+763FhsotiEwZkzMqZzvqZlpSDryB6oeQ9IThYN7MiOYSCRcIAA9tbxvm43Nt3u0e59/JnTziCG9UlPfRbWGSb3bu+L5OwD+ZaIXg02CCxJBJEgvS07GuHoSm50eIi0IcIAFyIo3N4yFvAymvAx3vACvxz30sLLnIInUJmkusL1pu/FrwseAgN3fR8usPBNfNn3njBInx/lnZrJvwNwzfCKhwkFTENI3g51ArDMlzByZvANlzDOIzAObzAYgN6rqAAGoARGzHERFzERnzEGyE7JbfETNzE0OHEUBzFUjzFVFzFVnzFWJzFWrzFXNzFXvzFYBzGYjzGZFzGZnzGaJz/xmq8xmxMcbVxbHgWx+Hmw+9Gx2w0brURG228x+JGAhqAAhDwx4FsSoJcyID8x4RsABpgSjGgyIHJmgUIe1wiZEo4f0jIwzqcyZjMw+roQixStQdUUUbXNKeHnxjoKJOcdvRncyvMQu5REfZiM6EcfDRjtd6VwpWcfQ2Dv60sdOtQAwMjvZySVN/DVNOyO7ZoJJQ8e3LIfr0sRkjGIr33ZJO7sEaHpNiKnsxMfcsMgzFYhDt8w5oszptMfYlnyw4LN6XHeyHMzZHsznU4gOD8zKuTKXvVZLPsPQwbhEeXtc1MObxMzw0TzRMjvyJ4aY0Gacl8c7rsgpb8zgLNOlb2/3gaBTsvlGjpfCMpyMrwbDJE6MxQN87hPNIircP/yA6EiH5KY2ZXptBaqILaPM8wCNJyGNGqQyCrRXr8B0OBwiIVfSOsB84+E9CqbNMspF03k2SBI809jT643NCrPHmtl8o/Z9QrJLVzhzERvBEGqS0UdH3xTCslXc4kTdbISyag1L/BEEOEEAOuETOwlShZOWS2QtTbbNWrI7XGDA8tEFCvyJEdMTuJFsrD1xonBB/1iI7/cdgchNdUVoay7AKyE1DdFAOpyQIaMALNJ8D5cwAuRVIHAAE5eR7PyFYAsJH70UOWuYgHAADq69hERSFGdQ2bEgMYgZAbmwETMAKqqP8IOeTPebNSxspACoBPO5kepf1eUIqMZruu4tFD4el+5DzdZU3dY+0n94w0TUeaz4U7nPGe26XQ2zdRAWYeKyCd72FM9qhfUcY+AbAALzWmOkmSsC1lDyitwqdGLICah+YCipQBEXitybxSTYmiIBtW+HM/HSna73VcuHSSi/jg+PifIspVtERVFpQdP2Sm0HSdgsQ80OS49a06SB3ZNyIIIoCaiSBZ7aAviQbc6eGpnTFdioRPVCW0YwU/agVcCpCId9Q/++M+jjmMm/g+Hw7fA5abh8QAlqmUY2lPotE/Oo5FIj7iRIPTZHNpNRYhlZ2aKX7ZB0IwPkYh0YWmlNj/Xhd+X2M6tu+1j4wo38AakH4D5fIpkAUAAAownvyTSA0wWlzV3e4lVaG7m7lc3YZ+3YeeYp38CoCjsLRMSkxSOjFwOySg07XozWVlRL/zUmj1opkaHpnVT+dJUO4zSQnKiBBQHfJjTso0SfANAiE5Wr6oD1AatxOGAUS7TzsJ5VYOQFJrnxRDmiVRpCSwZJiTzOfdXr5zUuJh42oetMfTT1jlPuc6AGyqTCylESXFACAwpbqF5yBVP2pFE+xNSEtZiaC+k2za676+V12tdGjzDttUgTRcH546szgZHtlx42sukMxFEwdAlMo9AQOwTIbNkRFwrvCNUNTp5n2uqaOl/59kRZ3iMa/sPjmzrc/VYGpJVb1rjcyAZ0jlTUQvJRp/Tp5r1T9D2zzqukRI3pe9O1rKdJHlbUHObkHGKJDTle7lwaYvbd1mHfRAz6w+DNcRfHQ9Lb92ZyOm/B4rda7kcbRD5D6irQCQ1E9pOgn9I6D+tQADUE/400M7QUU6EZ/eTgAYsNrMKBoWtJDAc1YKwKfNFeoV36YXrzcZ3LyBYmb0bkBJ82fX8HQhMPITuVYZhFNGtFb3c1MaKZy4hPhedPjBAwHkMfNEVN6+M5yIY5n6iFPCMwF9SvfAafd3f2TcMzDDjM91t3hinh8AaiEKAFDvVQACikQMxGE9Ox4ABf+gpstW1YFQ//Rhsn9bXjT80kH7xM+RYRkeFzDapU80BUl3i0BjtHzQN/bVYaIlQGa8XIgh3f8q3F8m2+/9q0smaYLo6C/0iR5+9IjSfF96V/Y2ZUbLPebQzz/iTghRHsxg4AUIIiyDgy6CGQEEiouMjY6PkJGSk5SVlpeYmZqbnJ2en6ChoQGkpaQfhakuqawuq6wsr7IsiKK2t7i5uru8vb6/kaamMYMArwCFxsXHyceryoMfiY0Mi9WK1wTZ29bd2N7a4Nzf5OHl4+bp6Ovi7efu6vDs7/Tx9fP2+fj78v33/voA8lMkrNQEFoJYKHtFiCGshwpXIZoGrKLFixhVM2rc+KlgKUIglYl8RjKiSWiDanFcybKly5cwK3kkNWPWoIQ4b+pEuDMhMpUxgwodSrRop5mkBsRwYcyV06dQo0aNBdSo1atYs7JEakqr169gwxYNBAAh+QQFCgANACwYAEMBFgAbAAAH9IANgoODLoSHiIUiDi8piY+CLCkXARyGkIkpDAEOl5iHmpWen4MiA5yCGaSCAwanAhsACg0DqxenDQkDAAgNvZ8FpxQhDR8JARC9FpDBARQPDRYQDQYcDQ+ziRjCxNINE9YXF4/NFcQHGt/WC+OJt8gMDQqzA9MY2YIM8Q0Ltczt1CxY6FVjH7kCggJ8yCdAF6YCGxqAwAAAQ8IGBDBd0AAiEg58nxSkYCEIAAsaq+SNHMRCBIBVGFaybDDtEwQRh1icXIEpwEtELFzggPEowAQckETgQHgogIEfmEyWQECAQAACIm2Q0inChwMfDVLgTEkSUyAAIfkEBQoABgAsGQBDARUAGwAAB+CABoKDgiyEh4iDLCwihomPBiw+HCIikImMARA9l4eVBwEKNp2HLhYBFw4upIMXCagJAwOsBgEIqAghBQG8vb6/txccF7kAAAq/ya8KFAEMFAwEFgcJu8m2oc0MHbwcGwEC1wHLzQTcARQEASXit8zO580BHO0B0rwAvKfr4q/ivBJ4EQAQ4gAIArf+8SORYQE+agoDSFDASESvEBAichiUIkNEXxsHSUj4MaQgFziQlUTE7uMoQi5SvIhYIIUjRSJIXhNwkxALChmviUhxKYWACQx4EXPQqJMIpiUo9egZCAAh+QQFCgAFACwZAEQBFgAaAAAH1oAFgoOCLgWGhImKgiwFHCmLkYM2EwEpIpKLLCUMAQCZixklBJ6gigwApAcKpokWnRYDE62Dr54ACgALBQimtg4DniIBEBcHn5G/nQAOBSESBQMWyZ0vwQAvzh4FpYu/180h292KthAEBRMQ0Z/krgyZ3QErCBAWARHwkgGYIArN0TgIQLfPwYwCLHCsEMQPVIAKjFhIGEArAAVCInAQdHiRUApkDrcRcoEDpCQDmBKRxBAPoCIAGiVN8CFJBAV9iQakrOnDAituIZi1YgHJRgEbP3YKCgQAIfkEBQoADQAsGgBEAUcANgAAB/+ADYKDDQAsLISJiouMjY6PjIeIkJSVlpCSh5ebnJYsIocinaOkihmnp6WqowOtrquwmwGztLW2t7i5uru8vb6/wMHCw8TFxsfIycrLzM3Oz9DR0saxsCQF1xjYGCDaINgF4N0F1aqgn6Hon6Ds6OWwhy4iLZksLpLy9++r8pLzoPf+2RPhYp+qeADuyWsBkODAggZL1bOHj6BFiBFJOTR0iOM9fBnNKXSYb56mkKVKfqR4EuWqh4ZAGcLoUtVKFzhr6tzJs6dPWT9jMZjwIOgqCBgmIAhglFSCWQKYNu30NEDUqZ0AQJWK9dKBrVy5dm1UlYIFCwAAIHiQwIDYsYSvqnYYEMCBBQIARDgwMACuoqgBOjAIIOFCAAscAog44DeR3MElFBxemqBv40GPA3AAEeCAhgAJFFzGPKvCYAd024IWDXcWuUK8EBywADeEBACtLPBKsADuAK0MMiBYuiuBibdGB3ydBcHBbtZjMRAPQGC3ZbgHJvwKfdnCAl+VR38Af93vAsDFRwsqUDXXBQPqBSWYbusC4/iCECQYTIvAhPbTKMOAAQekdQAEktUSCAAh+QQFCgASACwNACQBgwF3AAAH/4ABgoOEhYaHiAEEioOLjoKLjJKMj5CEkZSZlZGclpadl56Yo5Kdj6eaqairqq2sr66xsLOytbS3trm4u7q1hAMYGAsrwQsYxMHHwsnLycTDwiSKBNQM1NfY2dXa2tbb3ODh3uHk1+Pl6Onq6+zt7u/w8fLz9OiCGS4ALPsuIv0uLESw0CdCggSBAgcGBLhvXwZI686Bk0iPIjeL5upp3Mixo8ePIENeCxCjIQsXBhvqO8nSoASWDVFK+CfioYpp4kRiG4cxG0We6XrqHEq0qNGj8E4kdMm0qdOnTh/mVCd0Z8ZvESt2u0oAKFavXbmCHSu27FezYc+qTcuW7Fq3bf/Rwp0rt+5bu3GxatgHAKrfvy5ZSLVKlRxYeVWDIl3MuLHjxwQ0LAVM+engrFM3JubqE7Lnz6BDx/vAr7JpppcNDz1cDuNm0bBjy2ZccuDp0y5Sd1aMDi671xM55x1O965x4niLIz+uvHny58yhL5/uNcO+27cf4mTbOjPw3ogzzx5Pvny8vSexVxYc4Gbho8B/mp9Pv768GAL7qqes+yLveKy18519BBY4n3Us7EdZTdsRxlGA73En4FbRVUiddM5ZmOGFGmLoYYcgTkdAbTI9dVILJrXQAkMlNpXbdgN6pxp4wUUonIE45ggZgvo55UILBIzAzwSDkMCXidrpeKP/kkw2CRt6UJ00QAATOBQABhloEICQLQbW327UILJkOw06aeaZBkqWoI8xMCIkCzEoAJALAShwnY9fYmRAAwf0eUADGGxUQAMD1MPAA1PSyOGiGzb6IaOPOhqipJBOelVtUGmAwkNvJsSCAVu21BSDZYITgAERGLDAAw8YcIABGg1aKD17zormrbiCRBoAXRokEKd3tiCInAP1yh47BmSgAE4IJHBOqdw0OOhmODWyjQHOYgNtrtx2iw6mfgG7jwgtaDBCACeU1tSx3VHzwAG2EoCtrQsggIABClyzgAEDGHAvAwz4i68iBViggMD5XlOAvxBMMM7C9y7grgUN3CtI/wH2GlCAtxx3DA6CvbokrkkszBCAdVClFuCphDbSrDeu3otAAxsssmcC91accQOEEjAoztg2cIG7B8hcMTUFZJCAvw3AWm/TG5wagdETOEjp1ZFmbenWlXaNNdcB1tZjVKGygAII42Jw8p1MsbetNnvaa28CFsy6wAESdwVBA8u6urG8qSpyQQMP+PxqNfYSMEDT+h5gTeLUzCtvtgpkAGtXeybs8ea5eoPgXw9V6UKbI2TQpgIoItne29g8EAHOcxNOTbPYKBBBCKdmS8ACGfwNQwNEyqovoYcCDMPBEVizZwgDWDNNrfI2MM7ioHJufa5QhnvlQkQKAsKKBeHJuv+2yW4McMANSAx5NU3n7s3dCQ9gAagL6E6AAgdsrECzDWTAc6EMQMCfEgCBhBngAzAgwN52grPrORBNavpLQAQCEBFYkILkWlPbdOMWVMWLAB9AAAHW15X2YesaD+Ab+0C1AfvhTwGLS8AEYBCAAhxABdhgGrwmVygDWOAcOMPJ17ymNSKCrYhDTCIS8UINEikIMElSx7vixYAGQIBl3gjA3RbgPmqsIALxm18NVUiNCUjPdbZ6lwoCVj2fRUBikkuhrfBHpAfakUnWGdsTncKudLAMBAMI5AD2pr+KNa8ACUiAzRRJjQU0AATUWFzwinbI9m0RYI7MQKFmBgKAmTH/X5lTXCIVwID9Se+OqMxR9vaoOmT9iWd8YhzSYum/WWHLG++KH+MGNTM+IcAbAuSZBd4lsQC+EnhI+xME7pcAWCZgaKmMJoHwEzJWGoSDZlHAqra5gFl5gwELWEABHrYAb2jTmwvI1wAkVgBxmoMBBXjAOMH5N5+FU3P2HGdXwlnOJR7xn0YMqBIBOlCBcoZH1rTM+KTJ0IYipTYaTGhKvuTQilqUKKSJqEQlAACKXvSjIN1IScK30Yk2qKAo9adBCarSlLL0pSuN6TlQwLaSSsCjIc2pTt3BEJu+BKc7DapQo2Ukkhn1qEglGYOGytSmmqpOGsiAVDPQAsu0QKpX/6UqVreq1Sw59atgfYojxjqNsobprGTVFi/W2gu2urWtcH2rXONK17nata54vateM5GIvvr1r4ANrGAHS9jCGvawiE2sYhfL2MY69rGQjaxkJ0vZylr2spjNrGY3y9nOevazoA2taEdL2tKa9rSoTa1qV8va1rr2tbCNrWxnS9va2va2uM2tbnfL29769rfADW5rOYJDaxjXuGFBrnKTe9y0LBdg23iudJPL3OhS95vO7cpzr8vd7Xq3u+D9rnjDS97xmre86D2vetPL3vW6t73VZUAh1rmC+hLDvsewr36HcV/82heQggywgAdM4AHDsMAHLrCCEbzgBCd4wRCOsP+EJ0zhClv4whjOsIY3zOEOD5gQGigRQgzSj3FpMCEICYiK/ZEBFXj4xYF88IQdDOMa2/jGOM6xjndc40GsMqH7+ACDYyxIGldYxkROsoKNvGEmO7nIUFbyk6Uc5QFM2cpVvrKWs8xlKnsZy1/ecpi7DOYyi9nMZD7zmQUpiAEAxKYsdrGGmVzlDCO5yTzOs573zOc+7/jAgsAASTcKkBjc+M45RjSd/czoRjv60ZCeUqh8GuQ+I1rAl4ZwpiPN6U57+tMYFsQIfOqrOKWZzBGW8ZWHXGY8j/nVaIa1mk8ta1rH+tazrrWucW3rXPN614sWtUYlCicFyHnOBvbwpi//vGxQO/vZ0OaxqEntDyHDuNl7XnS0t83tbt942pRmgbX1jO0jY9rb6E63umEsbJ+iKE7H9nWDWa1tVLdawr7Od6/3DWx+//rf+u63wAHu74CXGdxQcYHC9yMCU9u43ASut53XTfGKW1zSQpKgYN7MUYdUEyAfOPbFk63kkZv85M9GuFP8wQItWYchZiNJwhsOcVDXHOU4z7mjhY3UQt8jHwDRjgb8UmyRr7rIIFCAos9tYaUHEgb3rrOmC071gRv86lUnuNWzjvWtw7rdfGTBCuq0Nn4o4AQBGPpT4ozhAnzg5RlYQYQL4IIJWLhcgZwACqCO4Zvr/O+At7DKA3OS/wnEAAUByCgLRjCitA87JeOucJWyhIFkscDuC77A5UUe4RhgHu+BD73oIw32tq3kU2V/yKbS7percj7CGxD3g61TgAADLMAKEAHmI8wAATOgXIoTZO977/vXj/74yBf8pKHiD8TjowUMEPRD8BOlyL8aBiE+8IExoIENDOB4EJAqBABcgMsLcgJvj4HcA6mBhmVpABowwAnwkRsYHkyqH9h9AcKfAQhggO+4x3UC6HVaV4BdZ4ADiIAEeIBMNnjrgnqkcS6FICc+UmwW5gIfQHwlR3cthx4wVH52h32CYQAAsXcDYB3logFy8gEKMAG5gQJWBhAa4IIt52IyuBcuAP9gfpd8PKhzpRd2zveCejd2JKB2o5IbxrdkLAABCxZi4wR1UjUAF6B7KoABn8IACUSCMGQdGCBnLqABzZMlUAcBLLABUKcCUqUA5VdO0ZcBM9SDcBiHAeaATNEPzhcYL2KELtJwFyYCJhhxUlUAGLABGJAALqCGm0dTgigMVWJ3VBVgAGBoAwB6wtA8LfgjUigYD7CDctiJJkeHhAcqKOMr08d8SBiAXzYALQeAAgYCvGJi+4ABduIwimcSYBiFgoSBgfR+gbQpCyEYMERTDjEBSMaACWiMC3iMypiMzKiA//aDe4giJMVyNVWH4nZhjyhgJOCGcqIBGlhkl8cAb6f/fQEmVQD4hYEEenuRABuwhS0QYCsQVWbjifSIfKAYGCxHeOQyaHXIhxZWJfwiSDBgAIt3gu8YSOBEjCBAhYr4dC2IASeoSYIUib1XLipQORJpZVc1ABOQAYAEdS1gMPU4koF3j6x0jdhofuzHAgkAQ1UChsAgGJlod6hziFYWAy5wARF5jhl4gnFSOSxQe/DHAi2gAGjDhANAd5JIkkyJcyb5RIXGdLwGAuiBIl+ofSFWLMqSlLqXdyhILpiXjYGEknsBABewAi+HgfgAQxAAECiylc2IjM4ol3S5jHNpl3WJcaSmD9ZXYSAgiAVQjBhQABegfbJYZBcwmAlGmIgp/5QKkJgDYBCDqZMgcJhWFgw6yYlNuZmeBo0JVWjG9nA8ppmcWZro9pRPhJKmuZqsyWiemVD+iJeyGZezeZe0eZu2mZt5qZv+hnH8CGS62JrCOZw7JggrQGov0ZfEuZzMmWGCMAOPx0og15zUWZ3KFwBVZVO8kgHfuJveWZvfiZvhyZviCZ4JKGkBMAMlFp37oZrW+Z7wKWCEwAAoAHNJdZ9HpQEuNnzN05/8+Z/+GaAAOqACWqAEeqAGmqAIuqAK2qAM+qAOGqEQOqESWqEUeqEWmqEYuqEJKlwe+qEgGqKwhZwkWqImeqIomqIquqIs2qIu+qIwGqMyOqM0WqM2ev+jOJqjOrqjPNqjPvqjQBqkQjqkRFqkRnqkSJqkSrqkTNqkTvqkUBqlUjqlVFqlVnqlLRoABBQAWNqlXvqlJxoA8xN/YFqmZnqmChIAFSAIB4CmbvqmcMoUAeABgqBHcXqneGqlc8qmedqnfiqle3oyUDcIf1qohkqkAdABguAABwAACzABABCZhzqplJqjgUqnavpLkQoBBVCpnvqpLhqoijqnDxAAAOA4kQqqqrqqJHqpgtABuAMAFlBDIcCqtnqr1pSogoCpHlCqshoAIFCruDqsxGoagVoCglACBXAyCBAAF/AAxRqt0uoUgZoICiCs05qttkoAGGABv1StiACdAtCqreSqqgEgAAEwAACwApiaCBeAreUar5N6roNgADLgVwowrvK6r4a6L4MQNX31rvw6sIUaAd3zV9dKsAqbp/QKWBjQAAsbsXG6Ai+ACYkgQBKbsWiaAAfwAX/FARobsmb6AAmAOxerJSKbsl9KAxJoCAOANyobs10qQIZgAR8gszh7pVpUAvMzAQdAARKTs0JLpXuCLzY0tPIaCAAh+QQFCgASACwNAFIBgwFUAAAH/4ABgoOEhYaHiIQEgouNAYuPjJGOkJWSjpGZmZCTkp6WnpqcoaOUnaaop6qprKuurbCvsrG0s7a1uLe6uaaDpYQMBRgFwsTDJBgkxRggw8MFys7GICAE1tfY2drb3N3eDN7h2eDW5Nzm4unq6+zt7u/w8fLz9Nvm6I8fLiwsEv4sIvpJEDgQID9+AQMiFJjh0Tp04iDauyZx3DeK6irW28ixo8ePIEPKCxDjoAh/KFOqXMlSgouGHjVik5nunjuaInPq3MmzZ88ZCl20HEoUJUyM5ZBqsxkOp89uTAlEnaqUatKrUqtqxWo1K9etXsN2HQuW7NezYsuqRWs2LDcNB/+LymXJ4ujTi1jfRZ14t6/fv4BDMtUQUOjcwyg/OHzIGKrSpY9nRnYcuLLly5jdESaIeG5dRhxpOs14M7Pp06hPl2RhuPPchioWd5WcF3LqtWnZ4m7Le7dv3cBzC+8dnPjw38drY8vAAoDrw58x7y2tnPbt69izw0O3+vncl4tJ16Tslm954U21q1/Pfh1z1t6LirBbT+bo8e3ut9/P/zZcziuxBuBhDYU3W3/kGacgcgsWx+CDDkaY3IQNUogbNjEE5NxQLewD30AtZBBQS5/FJlhj80xnHYIsthgYOR/wM1RdDIxwED8uEDCAjHTR55N94p3n4pBEpraahzfyk8H/AAHYyJoILoAQAAM8suTjQwxUpJF+1W1X5Jdg+vTehippEACTTvKDwpRUDugPeBZ1yYABCDTQAAIbpAMBAuEJeQ2d1iiAQEwQWihhhYgWmuihijbKaHDW/MeSCxCg0FCaDaGgAAGFtVRgRNco0EACBhSwQJ0GiIPAoOw8kCoBEDRQX5i01spRhh+m5AKUDU2AowIKuKDADSN62mc4A9yJjgENPIANaNesupgi1/hiTSQGWBCetc8ea+u34Moz5lCX8jMCAy2woAADChnb6gEYZDOAAQtccyoCBmxqzarXFkAnntf4iwG+A7hKAAIJ3KnvvQgsQA4D95Ya7sQUt9Md/7lNstCCIQRksM9K8/WpYp3hIHAAAg/YWe/BfBKQcrN1tvyyAQbMmQABCyT8wAAHn/yAyawyi3LCK9tm6NGLIu2o0o8y7XTSUOMWY64rlduCAShMMIEKBKDQwkkBKvYQv5Et0MACjBiQAM/8DvABBJCYvUEADxxQ7yOAEsDsIwrYjW0DWSbA5yMor1jx4RWXRKaVAfhKkAsDtEnilRMxgLA3CC8ALAjMsj1oARFMoAA1GDSQaggN8GwNneCoXU4BDEx5AcJZIvyAAg5xifjuRb5HVAsErABQayCoUKVK0WV0uW0JZxDBARFEkMEDAUj7QPTRQx/BoGarrjersQZc5/8BdlrAcwEJHJBBAg/ozvv7La62OPJIorQPAAC1FLKBkxkQgb4UwdfBEoAOcvBrAQfwHjZQ5z3XwUpWONseBmDgMgJeY14xM1rUmrbBpy2tgyD8oAiXczyWFIZMUBLQ5Lw1EQVEAG7YAF2qOndBh7EsAAU4wAQWozmcpe5P4LuZ3izAtUXUiQEqQEABGlE398Hvieohh6TiUxTKecMAB6iZVED3AWuADgFZYkAC1sayfTXgAlmawAFWQDfAXYt1enMjs6rBgJR9IHJHrJ0QocjHMG2GikRJXqvSl7Asei9nB0ifEvclxAHUyQJ2cpbLEhgtIdatARuAgckaYAF8HWD/UwUwmSKX2MdSFuligOyRyNTCgAEoYAA8K6A/IlcOWFKEAa/MUi3NYUtrwBIcDPAHMGnpy1+O0IMcPGYIk8lMZDozadZgDgBak8qUAMCKInlYnM6jJaOZ8ptEmmI1qwYtcJrznH7BFTXH6Q9sovOd8PTI1NyUypBtc5nPVKY+m4nPfu4zn/xcGgFQyU6jsDCeCE1oPFDAj/mNU5AKjahE3RGXgv5DbBPNqEa9EYAaIEljBXXnRkeqUEEMIAYfTZJKV8pSxXzipZuAKShmKtOaxvSmNMWpTXPK0536VKdA7WlQfyrUohL1qENNqlGVitSl9nQUiYiqVKdK1apa9apY/82qVrfK1a569atgDatYx0rWspr1rGhNq1rXyta2uvWtcI2rXOdK17ra9a54zate98rXvvr1r4ANrGAHS9jCGvawiE2sYhfL2MY69rGQjaxkJ0vZyv61FKngFicq0YhqceRYB00HaLMRWp1M4lqeTW1nV/uO0pLUNIXgnAE0gAIIaGC2WKNtpWiL29uigLa31a0GVuBKWMLylcZNrnKXy9zmOve50EWucaUL3epad7nULe5xkyvd7l63udn9rnjHS97ymve86E1vcgkBl38M70Zgk0BCDrKrXXGGBXc8b3i1y9/pone/4/WueAGsXAKrF7sHTrCCF8zgBpd3EBqwqP978ztg8mZXwP19roHBa10Mb3jD+uWwg0dM4hKbGL0mlbA/eKUC52JYxAtWAAQK0GHmgjjEFq4ugG+83R7z18P+9TGQhRzkHxd5yEYmspKTzGQkO/nIUF4ydQWBAXqmkgUxQPCJrQuAAQjAxTYOsINfzN0i43jLaE6zmtUriBHEt6D7oHB5d6xeBgggADNOMJmvS2AeM9jPaw60oAXdZitTEUpy5vN3yYxkO+OZxltGspbNfOD9AnrQmM70ltusYvm+pMUwBrGov+toCIBAx2HW9JxTXWMpR7nJr36yq2cNa1rLuta4vrWkC61ifmS5wKqO3J0hAOjw0jnHqF6yslf/HexmO5vBvJYwov87ZmHjGQIH6DICINDKM1NazBV+trjH/WxOd9oFiW41jH0ca+UywAEBMAAHzsQBOhF7ASOWNJgjTe5++/vBGVPxrmLQ52+X+eAIv26p5x2ACgiCAwnYk4ZLfOlFU/rCk9Z1u2298Vx3XOMcD7nHRY7caJMIefYrIUqwrABQsxvTjpa3IBwegA4waW3qfvaeDQ7sf/v85+tt0ox8TRJ+bIwQKGhJiFz+7JgznOY2DwDO03xsoFv96ms2uUr2YaYAvCdTGQjRjNKt6GSXN5gSkHkAKCCIDsRu6uKFwcuxLnes293fWk85Bs7kdX6YSUQKcROWT81q/+qiNAPZ9VULKm5cGHQb7RKIHd8DgDupKyAGGPiu41jjAvyZawAtmIB6J/Cel2ig2wnOGtNHznqQt/7jsCd57F8v8qCPYFJQIv2aprZ3yaPgzbr6ANM3zIAYuaAGymXO4s87gYZZO6oJ2AAL8N1hDEwgt1jOmgFOzQIDhBguGTAABgzAnCXpmVJ3T7+qpyx03ANkTcwRQexIT4IAJH0lcR4vDDKQAQBoILkg4AIdIl0UpAKrNwAU9EuwtAEIMADYRgDwFlUfoAAiAAKoh0RI9FwwMAEAsDXT5QIooEsKUHe/BA7PZQAsgALKNQEiIHqOFzkXGEbMlYGwBAMq0AIooP8j6reDmpZ3KaEmXpcSAdECrbROLiECvyZeMZABGoB4xkV6KIVcIKAB+5ABF5BcI7APELAALLABKpAAJyAICmADACBVnscC/zcAJ6AP+GVgE+ACopdcLQABK8B1ygUBWrhfF4BfzBUDGzAABeACC6APcbgB02SFxqUCFwAX6PZKGOAhGXACPDiJhBZwLbErOzRPHgI5kIc8ZLdkxRclLkBcsPQ2GrB8dciETcgCkEYYMWAp+7ACDKABL+ALOxRVTIiGxMWCGfBb6fJcvhKHx+UCLwEBJWF+F5AuGnCKwtJfdZiGylV3IFAXTPiHGaIBEOAxEyB3vvIBsyWAIKAABvD/EqKDcK53jrOHjrK3jrTXjjtnbiSSgn23eE6SIwNghPuQhHO3XPynAC2QhifAAhhAha/0AU6IS93HAFWmAXKnAMzhMIQhAlYVfSIwQSDAfwgIA9I3As71hsIISy2wfHPSjAQJaiFCgrD0e384XcACLAMQgOY3AMIzAQxgg1ToSiFiXBsgAqToAt6XYZQYlA1WcpZIFyywQx4jAvVnKWHYXioxbeJVfEtyiggIAS0wAAQ5ABiAXIuYggwAASzQeL6SSVQIAWVIVdEnkAt4ajAwkC3oXDbykcFyerAkPKPTAh+wDB+weCiJgqQ4AJtXF8DCAhBgXFQoDBuwACy4jQsA/wIwAAMFABc0eY8/KZSWaWI+iBIBoQEdsw8tUH8BoAIMNSAD13LftX9LIn009o9us3xTOE0a031YyQIuhwEVOYuIt21ouZOZB4hUaHRH2ZEdyF0+qZOsWAAr5QK9+YTBCUsgMAEjQHqIpwAsMAKg9h434gIaoAI18B+xuTXBUpmXOZ4NBo/6E5IGQYwhSYz09GmhllwohUv/WAPTh5XNqI3MMI00CRckaCNe2ISndgCSB33Sh28g0CErsJXSt40vF5dMV5wLyAIgsIca0JLhGF57KHzKpQJLODos8JcGaaEWGpIjsJVVNplXY47puKLsqI7uyKIvyo6wZJ4FhT8El/9wzWWQsHSK2bijwkKBNPmYyCl6vgJp89KFMNCErwQCdwZ9E7CTNaACBWpcM9mRzTmMlbmTwMJ/JNgMzOUxmcRdIUqdkwkD49hdmecr1LeBR6kCwRKC5BmnC5aZ1eSepxkDRDgA0geHO9oC4fgSBaAAdYiGDBCALaA5viICGzCLy1cwTXoIpAcDVTqNHxCOWaidBwhLHqlcEKqnLHCFvqIBNPaG6ballLKVz1l+A7CH4DkAHnWoCoABzKEA0jeBCsCBfDoAAHCjctqr6UWj7MQPn/hc+tBi1AkAknhS6uKAm5iNGSB3G5AuGgMXGKACWRk5KSAAAzoIWDSMLLA23gn/ACiwqx35ltMlmwsoAlc4mwcxgeD1m553NUt6lCQ4qM3RAr35H/sQAmi4oyLQAkbqqwLbanQKSDZqmiraYzVAY44YqLAkDMY1DBvwShBbXBiQpiIgicQgXRhgiDq0ACFgAQJQmcCyARM0OhvgsB1rjrT6SsilAAVAeK6UeVKYmBfwskXmDxebstsVqy4LSzprsi7rDyCQsg3rSrG6ki66tDDKtC3atFC7bEzSfgI3rCO2oMByARjpXFKKMAkQApk6sGI7tihWlBbFh2rmkBrDHC7gsGT7tnCLmWZbUFgWaAwwARqQAB8Zt3zbtwkGrOyEboUXtdpFXU4bo4h7uIpLdbiL+7SOm7iMG2VtBnzjlH9+e7mYm36CEJCdhraZ+7mgi3eCkFIsVbqma7Whm7qqq2aDcAKdi7qrG7uyW56DwACWwn+4m7u6u7u8y385GEbAG7zCO7zEW7zGe7zIm7zKu7zM27zO+7zQG73SO73UW73WywCBAAAh+QQFCgANACxlAIQBHQAgAAAH/4ADgoOCCoSHhIaIi4yFi4qNkZKQkpWWkZSYl4OZmQOZBhaem4QhCQMHpI0IFwGnqosJCgEfqpCKDLKusLGzr7yEuhYAGREFAiEDKqq6DgUBEQ4EAAMTDzAMMMrZiAwqBLocsxkWAQgAEwgYGho1GSwZGJwg7xkAsw6zBxoBEBUBDFJoaNGCXQYX8gYYgAchBocBAcQF2NfvHwMAGlhMUHZBhIEBBTRuyzDrBcQECAIYoBCAgAENLhQocqGBAQoWGzDkPDArgM+fLQEaVKSi4AANIhz0EOGiR0+gQAkIzADiEwMXHxhoSMFgQAIAuqACZQBBA0lBMAoyWCHgJwSJYmd/MnjZAhfNTywA/Hwat+UHmIpguHhVIEW5vlADFigAqUDVQR8eIB77sZEhBdQm+7xQWRKItpoTXLj0IMPki584qXY0AEECxAcKqDpggQBUBQIW8CoA4AAEAwgEyAI2gMECA8iLEwoEACH5BAUKABEALG4AigEWABwAAAf/gBGCgxEDhoeIiYqLjIwKBxkPhJOUggMIIQECDJWdhgcBARwMjYwAoRwEpYunohokq4mtHCIQCoqVpLMiDwchFgAMBJyVK60SCAEAAgEhKRQlGZUsNqE2EMocAQQVBBclLZQTJaES2ADaBBShJYIuKxgLCyvVASXnNoIV7CyCLP//6llYEMCAhVCtKLAw4OLWAAUKWoWaSDGADRYjWITgwAHBABEVQ9oTlKFDKAUp9omkqFCQj0yhHKykyMHFoQYMZoZ0oGBQCGY6KTogdaiAxKCbEiHAFnRCgkoNMCBtdDTkiQSNNg4Q+cghowIHIGwNdQHBAa+NIAKQQAFZz06dCAjIZUC3LoNAACH5BAUKAA0ALG8AjAEVABsAAAf/gAOCg4QNhoeIiYYDCjCCipCHKxkQhJaXgwcBCCuYnoIJASEQGhifl6EhHywYMJGJMAiiCSwXKoMMDCqQGx8BDyksLBqCFx8uLjGQEQELNgkAGgcAIjETGgAuihkBGx4BARIhDDYIAAUYkL4L3wEd4BWyAhqQFt3tMuAeGwEcGYcKQIA4EcobuHcBPCzop0DYhluOQimwAa4EOA4X+qVrkGGCgl6awIkc2S+DCAw2HPgQkYEbSZIcJriAUCAAAREIfL0cyYEAhgehwCXQufMiAUEGIBTd2XMQABBLYRJABIBBVJFNBykAcBWcAAaWDIRcygCBI0sIHkS1sMGTA6g7GBEYeNUAQKWRCxBAmEqXAQQAAgRkUEsyEAAh+QQFFAAFACxtAI4BFgAZAAAH84AFgoMFCwcaMISKi4MABBYTA4yTBQoCAQUJCjGUi5YBBAkbIp2KA5cFCDWkpYMuAJgpIi4uBTCJnRmoJQgABSwRGiwaBpOnoDYBDBUKAyk/AAu4i6gcoB2YHBAEABeciiIioNYEMpgVAQEiLL6KF9XK2AXoAQAgGJ6ou9npAAMTjUYUQkUJwAQXiQCkwMGChbhOAFxAKDDBgDIHHwhOAtCsEAJMBSzAgtgx1QaQrfxJEmRDAUqSKysdIPBy44CYhUaWUqnIgIWaihRYuLkoQQiggw6AwEnoxVFGFgwwVWQBwgCQBDZEJcCg1IBeAkIeTUc2EAAh+QQFFAANACxtAI4BFQAaAAAH/4ANgoMNDAOHiImKigkWi4+KEAYgAgyEl5gNBwEBHgSZoJqcnqGZHKMjLiyCA6UNKaMYAC4aGDATLBkomZudFgk9GgAQGRkDMJaXAJwdDwEAyxYfDggDGJinATIbAQIJARccBB89LpjLAR0L3d8XAuAHCuecMusCHwEL7wUJMIMuExSg46AgQAIDAQZkAJchxKELGVTZ4ESxIicFNgTpE2CABDqLFS8cGMDAAadGH0FyumBBBYNKnAZUUFmxgAVDCizQVHnhg78GEFLuBHcTUQIIQyleSMCoYFIDBhQVeJfUgoJFCnrRJHAAFIJvKgcASJZJIAGLEMBWzYDgKwBuFQIDAQAh+QQFCgARACxtAI4BFQAcAAAH2IARgoMRA4SHiIcDhomNggwWAASMjocQCBsADJWIFoIVAZyOE6KNJzEsESuUogwTIhgMCqURHhYJPRoCBjUKspwPEQAAwhAAIiypnCKeCxwDHxqVHYMJEQUipTILEQIfERcCiBgRyoIUFxEHEBEKxIQDDCog5LQDCwcfITC0gg4BBBAA8FSKgQACgiCUsFcgQagIm/pZeyjKQsQIDSBQdNSQECRWjSYYOFSAw0ZEoWYRIrDAwslBAQYkQIhowoEAJwG+C9mAAc6f6kpZOJAgQaQC/QrF+8k0EAAh+QQFCgANACxtAJABFQAaAAAHyIANgoMDAzADg4mKigMPE4WLkYMGCBMHBJKZmpucnAQrLA2ILZ0NBCMsGAwDGyAwmx4JACkTCA8XMaGbBoIAAy0iJS0gIJobihUMBw+lzYIyCw0CHw0FAouFF4kVxwAIDRcAjCoqkIKYmgMKNg4KMAfNDgEEAAbinQwCAYITFM0YDfaJcpYAgsBNFywwGARgwsFMBRIoSoBO0wQIrwZtAPBw0T4Fiwgk6DgoQACJkRAY7GjyniQDFgiYnLkB3iYGCBLo1BlipslAACH5BAUKAA0ALG4AkAEUABsAAAeygA2Cgw0DhIeIgwOGiY0NCgAHGI6JDgwNNJSUIJqOI52JKw0bjKALHyIYIAMYGp0QCikNCAIZGRiTjTILDQAWDRM2HAClnQUcwAigCaCCHaICzBgCh4uHB4YTvAwGhAwD38WatAAICs0NyI8C1KAWuQ3toAcE6IMPAgGgF7+DAPqaFiS4JMhAN00QeBFKcMKeP4CJJoRIxECAAoiCAhikhIBhgAAMOk7slMCBA2IfUwYIBAA7|thumb|none|400x475px]]

A typical application has multiple feature areas, each dedicated to a particular business purpose.

While you could continue to add files to the src/app/ folder, that is unrealistic and ultimately not maintainable. Most developers prefer to put each feature area in its own folder.

You are about to break up the app into different feature modules, each with its own concerns. Then you'll import into the main module and navigate among them.

Add heroes functionality

Follow these steps:

  • Create a HeroesModule with routing in the heroes folder and register it with the root AppModule. This is where you'll be implementing the hero management.
ng generate module heroes/heroes --module app --flat --routing
  • Move the placeholder hero-list folder that's in the app into the heroes folder.
  • Copy the contents of the heroes/heroes.component.html from the "Services" tutorial into the hero-list.component.html template.
    • Relabel the <h2> to <h2>HEROES</h2>.
    • Delete the <app-hero-detail> component at the bottom of the template.
  • Copy the contents of the heroes/heroes.component.css from the live example into the hero-list.component.css file.
  • Copy the contents of the heroes/heroes.component.ts from the live example into the hero-list.component.ts file.
    • Change the component class name to HeroListComponent.
    • Change the selector to app-hero-list.

Selectors are not required for routed components due to the components are dynamically inserted when the page is rendered, but are useful for identifying and targeting them in your HTML element tree.

  • Copy the hero-detail folder, the hero.ts, hero.service.ts, and mock-heroes.ts files into the heroes subfolder.
  • Copy the message.service.ts into the src/app folder.
  • Update the relative path import to the message.service in the hero.service.ts file.

Next, you'll update the HeroesModule metadata.

  • Import and add the HeroDetailComponent and HeroListComponent to the declarations array in the HeroesModule.
import { NgModule }       from '@angular/core';
import { CommonModule }   from '@angular/common';
import { FormsModule }    from '@angular/forms';

import { HeroListComponent }    from './hero-list/hero-list.component';
import { HeroDetailComponent }  from './hero-detail/hero-detail.component';

import { HeroesRoutingModule } from './heroes-routing.module';

@NgModule({
  imports: [
    CommonModule,
    FormsModule,
    HeroesRoutingModule
  ],
  declarations: [
    HeroListComponent,
    HeroDetailComponent
  ]
})
export class HeroesModule {}

When you're done, you'll have these hero management files:

src/app/heroes
  hero-detail
    hero-detail.component.css
    hero-detail.component.html
    hero-detail.component.ts
  hero-list
    hero-list.component.css
    hero-list.component.html
    hero-list.component.ts
  hero.service.ts
  hero.ts
  heroes-routing.module.ts
  heroes.module.ts
  mock-heroes.ts

Hero feature routing requirements

The heroes feature has two interacting components, the hero list and the hero detail. The list view is self-sufficient; you navigate to it, it gets a list of heroes and displays them.

The detail view is different. It displays a particular hero. It can't know which hero to show on its own. That information must come from outside.

When the user selects a hero from the list, the app should navigate to the detail view and show that hero. You tell the detail view which hero to display by including the selected hero's id in the route URL.

Import the hero components from their new locations in the src/app/heroes/ folder, define the two hero routes.

Now that you have routes for the Heroes module, register them with the Router via the RouterModule almost as you did in the AppRoutingModule.

There is a small but critical difference. In the AppRoutingModule, you used the static RouterModule.forRoot() method to register the routes and application level service providers. In a feature module you use the static forChild method.

Only call RouterModule.forRoot() in the root AppRoutingModule (or the AppModule if that's where you register top level application routes). In any other module, you must call the RouterModule.forChild method to register additional routes.

The updated HeroesRoutingModule looks like this:

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { HeroListComponent }    from './hero-list/hero-list.component';
import { HeroDetailComponent }  from './hero-detail/hero-detail.component';

const heroesRoutes: Routes = [
  { path: 'heroes',  component: HeroListComponent },
  { path: 'hero/:id', component: HeroDetailComponent }
];

@NgModule({
  imports: [
    RouterModule.forChild(heroesRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class HeroesRoutingModule { }

Consider giving each feature module its own route configuration file. It may seem like overkill early when the feature routes are simple. But routes have a tendency to grow more complex and consistency in patterns pays off over time.

Remove duplicate hero routes

The hero routes are currently defined in two places: in the HeroesRoutingModule, by way of the HeroesModule, and in the AppRoutingModule.

Routes provided by feature modules are combined together into their imported module's routes by the router. This allows you to continue defining the feature module routes without modifying the main route configuration.

Remove the HeroListComponent import and the /heroes route from the app-routing.module.ts.

Leave the default and the wildcard routes! These are concerns at the top level of the application itself.

import { NgModule }              from '@angular/core';
import { RouterModule, Routes }  from '@angular/router';

import { CrisisListComponent }   from './crisis-list/crisis-list.component';
// import { HeroListComponent }  from './hero-list/hero-list.component';  // <-- delete this line
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
  // { path: 'heroes',     component: HeroListComponent }, // <-- delete this line
  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
  ],
  exports: [
    RouterModule
  ]
})
export class AppRoutingModule {}

Remove heroes declarations

Remove the HeroListComponent from the AppModule's declarations because it's now provided by the HeroesModule. You can evolve the hero feature with more components and different routes. That's a key benefit of creating a separate module for each feature area.

After these steps, the AppModule should look like this:

import { NgModule }       from '@angular/core';
import { BrowserModule }  from '@angular/platform-browser';
import { FormsModule }    from '@angular/forms';

import { AppComponent }     from './app.component';
import { AppRoutingModule } from './app-routing.module';
import { HeroesModule }     from './heroes/heroes.module';

import { CrisisListComponent }   from './crisis-list/crisis-list.component';
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

@NgModule({
  imports: [
    BrowserModule,
    FormsModule,
    HeroesModule,
    AppRoutingModule
  ],
  declarations: [
    AppComponent,
    CrisisListComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }

Module import order matters

Look at the module imports array. Notice that the AppRoutingModule is last. Most importantly, it comes after the HeroesModule.

imports: [
  BrowserModule,
  FormsModule,
  HeroesModule,
  AppRoutingModule
],

The order of route configuration matters. The router accepts the first route that matches a navigation request path.

When all routes were in one AppRoutingModule, you put the default and wildcard routes last, after the /heroes route, so that the router had a chance to match a URL to the /heroes route before hitting the wildcard route and navigating to "Page not found".

The routes are no longer in one file. They are distributed across two modules, AppRoutingModule and HeroesRoutingModule.

Each routing module augments the route configuration in the order of import. If you list AppRoutingModule first, the wildcard route will be registered before the hero routes. The wildcard route—which matches every URL—will intercept the attempt to navigate to a hero route.

Reverse the routing modules and see for yourself that a click of the heroes link results in "Page not found". Learn about inspecting the runtime router configuration below.

Route Parameters

Route definition with a parameter

Return to the HeroesRoutingModule and look at the route definitions again. The route to HeroDetailComponent has a twist.

{ path: 'hero/:id', component: HeroDetailComponent }

Notice the :id token in the path. That creates a slot in the path for a Route Parameter. In this case, the router will insert the id of a hero into that slot.

If you tell the router to navigate to the detail component and display "Magneta", you expect a hero id to appear in the browser URL like this:

localhost:4200/hero/15

If a user enters that URL into the browser address bar, the router should recognize the pattern and go to the same "Magneta" detail view.

Route parameter: Required or optional?

Embedding the route parameter token, :id, in the route definition path is a good choice for this scenario because the id is required by the HeroDetailComponent and because the value 15 in the path clearly distinguishes the route to "Magneta" from a route for some other hero.


Setting the route parameters in the list view

After navigating to the HeroDetailComponent, you expect to see the details of the selected hero. You need two pieces of information: the routing path to the component and the hero's id.

Accordingly, the link parameters array has two items: the routing path and a route parameter that specifies the id of the selected hero.

<a [routerLink]="['/hero', hero.id]">

The router composes the destination URL from the array like this: localhost:4200/hero/15.

How does the target HeroDetailComponent learn about that id? Don't analyze the URL. Let the router do it.

The router extracts the route parameter (id:15) from the URL and supplies it to the HeroDetailComponent via the ActivatedRoute service.

Activated Route in action

Import the Router, ActivatedRoute, and ParamMap tokens from the router package.

import { Router, ActivatedRoute, ParamMap } from '@angular/router';

Import the switchMap operator because you need it later to process the Observable route parameters.

import { switchMap } from 'rxjs/operators';

As usual, you write a constructor that asks Angular to inject services that the component requires and reference them as private variables.

constructor(
  private route: ActivatedRoute,
  private router: Router,
  private service: HeroService
) {}

Later, in the ngOnInit method, you use the ActivatedRoute service to retrieve the parameters for the route, pull the hero id from the parameters and retrieve the hero to display.

ngOnInit() {
  this.hero$ = this.route.paramMap.pipe(
    switchMap((params: ParamMap) =>
      this.service.getHero(params.get('id')))
  );
}

The paramMap processing is a bit tricky. When the map changes, you get() the id parameter from the changed parameters.

Then you tell the HeroService to fetch the hero with that id and return the result of the HeroService request.

You might think to use the RxJS map operator. But the HeroService returns an Observable<Hero>. So you flatten the Observable with the switchMap operator instead.

The switchMap operator also cancels previous in-flight requests. If the user re-navigates to this route with a new id while the HeroService is still retrieving the old id, switchMap discards that old request and returns the hero for the new id.

The observable Subscription will be handled by the AsyncPipe and the component's hero property will be (re)set with the retrieved hero.

ParamMap API

The ParamMap API is inspired by the URLSearchParams interface. It provides methods to handle parameter access for both route parameters (paramMap) and query parameters (queryParamMap).

Member Description
has(name) Returns true if the parameter name is in the map of parameters.
get(name) Returns the parameter name value (a string) if present, or null if the parameter name is not in the map. Returns the first element if the parameter value is actually an array of values.
getAll(name) Returns a string array of the parameter name value if found, or an empty array if the parameter name value is not in the map. Use getAll when a single parameter could have multiple values.
keys Returns a string array of all parameter names in the map.

Observable paramMap and component reuse

In this example, you retrieve the route parameter map from an Observable. That implies that the route parameter map can change during the lifetime of this component.

They might. By default, 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.

Suppose a parent component navigation bar had "forward" and "back" buttons that scrolled through the list of heroes. Each click navigated imperatively to the HeroDetailComponent with the next or previous id.

You don't want the router to remove the current HeroDetailComponent instance from the DOM only to re-create it for the next id. That could be visibly jarring. Better to simply re-use the same component instance and update the parameter.

Unfortunately, ngOnInit is only called once per component instantiation. You need a way to detect when the route parameters change from within the same instance. The observable paramMap property handles that beautifully.

When subscribing to an observable in a component, you almost always arrange to unsubscribe when the component is destroyed.

There are a few exceptional observables where this is not necessary. The ActivatedRoute observables are among the exceptions.

The ActivatedRoute and its observables are insulated from the Router itself. The Router destroys a routed component when it is no longer needed and the injected ActivatedRoute dies with it.

Feel free to unsubscribe anyway. It is harmless and never a bad practice.

Snapshot: the no-observable alternative

This application won't re-use the HeroDetailComponent. The user always returns to the hero list to select another hero to view. There's no way to navigate from one hero detail to another hero detail without visiting the list component in between. Therefore, the router creates a new HeroDetailComponent instance every time.

When you know for certain that a HeroDetailComponent instance will never, never, ever be re-used, you can simplify the code with the snapshot.

The route.snapshot provides the initial value of the route parameter map. You can access the parameters directly without subscribing or adding observable operators. It's much simpler to write and read:

ngOnInit() {
  let id = this.route.snapshot.paramMap.get('id');

  this.hero$ = this.service.getHero(id);
}

Remember: you only get the initial value of the parameter map with this technique. Stick with the observable paramMap approach if there's even a chance that the router could re-use the component. This sample stays with the observable paramMap strategy just in case.

Navigating back to the list component

The HeroDetailComponent has a "Back" button wired to its gotoHeroes method that navigates imperatively back to the HeroListComponent.

The router navigate method takes the same one-item link parameters array that you can bind to a [routerLink] directive. It holds the path to the HeroListComponent:

gotoHeroes() {
  this.router.navigate(['/heroes']);
}

Route Parameters: Required or optional?

Use route parameters to specify a required parameter value within the route URL as you do when navigating to the HeroDetailComponent in order to view the hero with id 15:

localhost:4200/hero/15

You can also add optional information to a route request. For example, when returning to the hero-detail.component.ts list from the hero detail view, it would be nice if the viewed hero was preselected in the list.

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAVAAAABuCAMAAABGMbuCAAAAt1BMVEVgfYv8/PxqhZL+/v7y8vLL4eTv9ve72Nz////u7u7m5+j1+PllgY+/2t6Xl5eSkpKFm6Xr6+vv7+/t7u6ysrLPz8/b29ucnJyoqKjW1tbJycn5+/yioqLr9PXBwcHO1dl/lqHR5efW6OrFz9TFxcWtra11kp68vLza6uy10tfF3uHk5ebi4+O3t7ekwciOjo7I0NPn8fPh7vDg4OCfn5/W3uFxi5eVqLG9yc97k5/u8fOktr6wwMeQH4JcAAAHKElEQVR42u3d6XKjSBIAYCFZB4coqrlPCQxGC2JZQKft93+uzULy1W3cVgwT0TNkOsKFEKEfX2RSFMbK0WKxcO8w+ggXLBejxeReWXeFIvAY344fYgt6kkadMUbQW+JuAqDueoSgfaUoAxXHCIqgCIqgCIqgCIqgGDeCHs7tsD4jaC+g5/09WzWdhXsJQXsAPeYikxzfi1+ANoG3S3T6+lpI9A/v08SBg1QEHY2kp6cVk3zar7pBbdMLHI2kr6K5HH8E1RzVsSiCtqT3IKnkx/tO0Nyzcv4HTYnRBcoiMBH0FXS8epa6QfWyLfCtZvM09nZa04KqurVLbJUWaeLZiaPLpWdQx9p5MeWbYucFwoBBlcft/vHxWfoUVE3J9qW0CzlwLLNhoA4pHE22qVUWsWEG20TWhYCkekF0anlO8O4MMTxQab1er1bnzzNULeT8umkQh9JGDgCU7gpKBcsSrB3lqRmoUPI0jVVqy2luFrkaDxn0bfis5N8yVC9l0zRLDUAbQmCTmLllvYLy29SDtwualrIV50O9sH94eD98AmoT/TKV607p2BBNC5qyTYO+A6WWGduGWUCaphbx8oGC/nbpKXjMRo1LxyCBym8TB0AFMwHIIhXegTYkYPzFNrHh8LeLAgT95TrUTOOEwEmzIEXsyQaAqg5JYJ/zmqEOCZqdGaS7shAsOQh2loCgnSul1PLalRKNLU8zeEHTeaonsE+lKUw+cGHP55plG5qn6UFK89Sy0gbvNn1rLf/jx88b7YuPB6nqcNahePsOQRF0gKAHBO0V1D0iaK+gC/UoIWg/cXlYbCHuV52BSDfk5x13AV1MOM7t+MG4ISaLKyiQLiafBexdYNwWIyRAUARFUAwE/aNAq3CK0UOE1aQFrZ/WD12x/s8c49uxrBjo5OmLf6yREPSWyDi29HwYIWhfKdqCjhEUQREUQREUQREUQTFuBF3D9kGBQNA+QKWnR5A8Pe73r0+IIuhfAD2cHmfKSNo/f1Hy1WxzWbT6028sxAYO+nB6UpXRWHhWFKkDdCkuZksYQ24S/vbTa3859HPoGkCVu/2KnqQuUNdlqVm73wD1Z4MHVViGKuPR8VHpAp25NRt8LpxntT/zwTWrZ/6mCrNqU7Wvl5E/q6bzjcv5WbaBY6JBgx6O0uj8eOwEZXkXijUXLn233szcKRshY6PMdSt4nUH6tvunohhlFWz73HTIoApk51Fdd4H6EdR87YccZCQk6YYLQw4yMOIAFM6ZsH/q1tkyE6sl0GdVNM8iLhp0yZ+ElfDUOSn5mVhnYgRw87CaiZCZTHg+dQG0ZrNVFE5cURS5GQOdTy/HDBVUgvPnSFor61E36LKaRWLWZuIsmkL2/QLKbdq/sLBJKRNnm+mAM/S3S08AnYfuzGelHUGSzjeT6FLyk1fQKRthhmIZ+vIegn4BmokAxDKUm20qKOd2UhLfQOc1xyancF65G8DfwHsbBO0CrQGtrrL5FFZKke9XIZt1at+vYVKCTdgfzpdwqQQTFmz707A9BkFvuds0hWvOeVv/GL2AZqK4qd3hLTP/NlBIUSj5DDXneIMZQf8RoK6CoH1F+yjOJFtLCNpPRBP29J04ff5vZyDSDQUfipfnQ7kZRi/B4RPM+Eg4giIoBoIi6L8bFLvV9BPctVvN6qh0Bn4BwS3htqD32K2mr8BuNfg1QwiKoAiKoAiKoBgI+keAHtg/eo8V5YCgvYA+sCYgh9V+n68RtAfQ45a1qXneH8anYwdoY3ks0u3rnpduNT93rbnu9Gw25omVDw/00q1G2j9/UfIGKRzdScnb137ncvBh/BC5XGqsyYJTku0QS75triII+/123QnK8lCNS+OboLKZsx5L8oBB6Wo83p+kr0D5uLTbEm8SI5e1wmu71lxGnjqWVzS8oAVJYsiazA4zNQBtUo99T3uT6Fp74EBApfx5JJ1WnaCsS0UsW4LA+igZxGZVHXusa81lpIWcxt5uC8mZBo2cWlDzjheQbe7t4sDcCQYxi8D0hMGAnvYsQ7tKvpRNuSRpfmlM1YKCWNu15jIaJL52sdFUdh6ITYEmaUy2RmKoeUAao0zhpEqaoYCOznuIc+c51KF5KjvqO1AHytxKXkanNHe7HetiE7Qn1ka2G9MGUN7WPJOURnvW0P+d3UF+ubA/M8jDl7O8ztiA4ydQ7WV0yrhtXfMCSq0i9iiA2iRxAHZYoL9del4mJYNYVJBTFS6HLiVvXEveaEse0ldzXkDV2PQCPiZNKm95tSgR9BNQmpYOXAoFwY6Bsq41bBK6jFQjqWPJ9gso3xDAgwzVS83RZAT9eaV0XflodFt4iZ4YQhJo7WXSdeQFYE1seO3w7S+qQerqVk5jzytsy24/wrYaBL3pk3Etj7fvEBRBBwKK3Wr6BcVuNT2DLqiC3Wp6irtrt5rV/zoDkW7Iz/Z5xv8DU4jtJPfz9a8AAAAASUVORK5CYII=|thumb|none|336x110px]]

You'll implement this feature in a moment by including the viewed hero's id in the URL as an optional parameter when returning from the HeroDetailComponent.

Optional information takes other forms. Search criteria are often loosely structured, e.g., name='wind*'. Multiple values are common—after='12/31/2015' & before='1/1/2017'—in no particular order—before='1/1/2017' & after='12/31/2015'— in a variety of formats—during='currentYear'.

These kinds of parameters don't fit easily in a URL path. Even if you could define a suitable URL token scheme, doing so greatly complicates the pattern matching required to translate an incoming URL to a named route.

Optional parameters are the ideal vehicle for conveying arbitrarily complex information during navigation. Optional parameters aren't involved in pattern matching and afford flexibility of expression.

The router supports navigation with optional parameters as well as required route parameters. Define optional parameters in a separate object after you define the required route parameters.

In general, prefer a required route parameter when the value is mandatory (for example, if necessary to distinguish one route path from another); prefer an optional parameter when the value is optional, complex, and/or multivariate.

Heroes list: optionally selecting a hero

When navigating to the HeroDetailComponent you specified the required id of the hero-to-edit in the route parameter and made it the second item of the link parameters array.

<a [routerLink]="['/hero', hero.id]">

The router embedded the id value in the navigation URL because you had defined it as a route parameter with an :id placeholder token in the route path:

{ path: 'hero/:id', component: HeroDetailComponent }

When the user clicks the back button, the HeroDetailComponent constructs another link parameters array which it uses to navigate back to the HeroListComponent.

gotoHeroes() {
  this.router.navigate(['/heroes']);
}

This array lacks a route parameter because you had no reason to send information to the HeroListComponent.

Now you have a reason. You'd like to send the id of the current hero with the navigation request so that the HeroListComponent can highlight that hero in its list. This is a nice-to-have feature; the list will display perfectly well without it.

Send the id with an object that contains an optional id parameter. For demonstration purposes, there's an extra junk parameter (foo) in the object that the HeroListComponent should ignore. Here's the revised navigation statement:

gotoHeroes(hero: Hero) {
  let heroId = hero ? hero.id : null;
  // Pass along the hero id if available
  // so that the HeroList component can select that hero.
  // Include a junk 'foo' property for fun.
  this.router.navigate(['/heroes', { id: heroId, foo: 'foo' }]);
}

The application still works. Clicking "back" returns to the hero list view.

Look at the browser address bar.

It should look something like this, depending on where you run it:

localhost:4200/heroes;id=15;foo=foo

The id value appears in the URL as (;id=15;foo=foo), not in the URL path. The path for the "Heroes" route doesn't have an :id token.

The optional route parameters are not separated by "?" and "&" as they would be in the URL query string. They are separated by semicolons ";" This is matrix URL notation—something you may not have seen before.

Matrix URL notation is an idea first introduced in a 1996 proposal by the founder of the web, Tim Berners-Lee.

Although matrix notation never made it into the HTML standard, it is legal and it became popular among browser routing systems as a way to isolate parameters belonging to parent and child routes. The Router is such a system and provides support for the matrix notation across browsers.

The syntax may seem strange to you but users are unlikely to notice or care as long as the URL can be emailed and pasted into a browser address bar as this one can.

Route parameters in the ActivatedRoute service

The list of heroes is unchanged. No hero row is highlighted.

The live example does highlight the selected row because it demonstrates the final state of the application which includes the steps you're about to cover. At the moment this guide is describing the state of affairs prior to those steps.

The HeroListComponent isn't expecting any parameters at all and wouldn't know what to do with them. You can change that.

Previously, when navigating from the HeroListComponent to the HeroDetailComponent, you subscribed to the route parameter map Observable and made it available to the HeroDetailComponent in the ActivatedRoute service. You injected that service in the constructor of the HeroDetailComponent.

This time you'll be navigating in the opposite direction, from the HeroDetailComponent to the HeroListComponent.

First you extend the router import statement to include the ActivatedRoute service symbol:

import { ActivatedRoute } from '@angular/router';

Import the switchMap operator to perform an operation on the Observable of route parameter map.

import { Observable } from 'rxjs';
import { switchMap } from 'rxjs/operators';

Then you inject the ActivatedRoute in the HeroListComponent constructor.

export class HeroListComponent implements OnInit {
  heroes$: Observable<Hero[]>;
  selectedId: number;

  constructor(
    private service: HeroService,
    private route: ActivatedRoute
  ) {}

  ngOnInit() {
    this.heroes$ = this.route.paramMap.pipe(
      switchMap(params => {
        // (+) before `params.get()` turns the string into a number
        this.selectedId = +params.get('id');
        return this.service.getHeroes();
      })
    );
  }
}

The ActivatedRoute.paramMap property is an Observable map of route parameters. The paramMap emits a new map of values that includes id when the user navigates to the component. In ngOnInit you subscribe to those values, set the selectedId, and get the heroes.

Update the template with a class binding. The binding adds the selected CSS class when the comparison returns true and removes it when false. Look for it within the repeated <li> tag as shown here:

<h2>HEROES</h2>
<ul class="heroes">
  <li *ngFor="let hero of heroes$ | async"
    [class.selected]="hero.id === selectedId">
    <a [routerLink]="['/hero', hero.id]">
      <span class="badge">{{ hero.id }}</span>{{ hero.name }}
    </a>
  </li>
</ul>

<button routerLink="/sidekicks">Go to sidekicks</button>

Add some styles to apply when the list item is selected.

.heroes li.selected {
  background-color: #CFD8DC;
  color: white;
}
.heroes li.selected:hover {
  background-color: #BBD8DC;
}

When the user navigates from the heroes list to the "Magneta" hero and back, "Magneta" appears selected:

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAVAAAABuCAMAAABGMbuCAAAAt1BMVEVgfYv8/PxqhZL+/v7y8vLL4eTv9ve72Nz////u7u7m5+j1+PllgY+/2t6Xl5eSkpKFm6Xr6+vv7+/t7u6ysrLPz8/b29ucnJyoqKjW1tbJycn5+/yioqLr9PXBwcHO1dl/lqHR5efW6OrFz9TFxcWtra11kp68vLza6uy10tfF3uHk5ebi4+O3t7ekwciOjo7I0NPn8fPh7vDg4OCfn5/W3uFxi5eVqLG9yc97k5/u8fOktr6wwMeQH4JcAAAHKElEQVR42u3d6XKjSBIAYCFZB4coqrlPCQxGC2JZQKft93+uzULy1W3cVgwT0TNkOsKFEKEfX2RSFMbK0WKxcO8w+ggXLBejxeReWXeFIvAY344fYgt6kkadMUbQW+JuAqDueoSgfaUoAxXHCIqgCIqgCIqgCIqgGDeCHs7tsD4jaC+g5/09WzWdhXsJQXsAPeYikxzfi1+ANoG3S3T6+lpI9A/v08SBg1QEHY2kp6cVk3zar7pBbdMLHI2kr6K5HH8E1RzVsSiCtqT3IKnkx/tO0Nyzcv4HTYnRBcoiMBH0FXS8epa6QfWyLfCtZvM09nZa04KqurVLbJUWaeLZiaPLpWdQx9p5MeWbYucFwoBBlcft/vHxWfoUVE3J9qW0CzlwLLNhoA4pHE22qVUWsWEG20TWhYCkekF0anlO8O4MMTxQab1er1bnzzNULeT8umkQh9JGDgCU7gpKBcsSrB3lqRmoUPI0jVVqy2luFrkaDxn0bfis5N8yVC9l0zRLDUAbQmCTmLllvYLy29SDtwualrIV50O9sH94eD98AmoT/TKV607p2BBNC5qyTYO+A6WWGduGWUCaphbx8oGC/nbpKXjMRo1LxyCBym8TB0AFMwHIIhXegTYkYPzFNrHh8LeLAgT95TrUTOOEwEmzIEXsyQaAqg5JYJ/zmqEOCZqdGaS7shAsOQh2loCgnSul1PLalRKNLU8zeEHTeaonsE+lKUw+cGHP55plG5qn6UFK89Sy0gbvNn1rLf/jx88b7YuPB6nqcNahePsOQRF0gKAHBO0V1D0iaK+gC/UoIWg/cXlYbCHuV52BSDfk5x13AV1MOM7t+MG4ISaLKyiQLiafBexdYNwWIyRAUARFUAwE/aNAq3CK0UOE1aQFrZ/WD12x/s8c49uxrBjo5OmLf6yREPSWyDi29HwYIWhfKdqCjhEUQREUQREUQREUQTFuBF3D9kGBQNA+QKWnR5A8Pe73r0+IIuhfAD2cHmfKSNo/f1Hy1WxzWbT6028sxAYO+nB6UpXRWHhWFKkDdCkuZksYQ24S/vbTa3859HPoGkCVu/2KnqQuUNdlqVm73wD1Z4MHVViGKuPR8VHpAp25NRt8LpxntT/zwTWrZ/6mCrNqU7Wvl5E/q6bzjcv5WbaBY6JBgx6O0uj8eOwEZXkXijUXLn233szcKRshY6PMdSt4nUH6tvunohhlFWz73HTIoApk51Fdd4H6EdR87YccZCQk6YYLQw4yMOIAFM6ZsH/q1tkyE6sl0GdVNM8iLhp0yZ+ElfDUOSn5mVhnYgRw87CaiZCZTHg+dQG0ZrNVFE5cURS5GQOdTy/HDBVUgvPnSFor61E36LKaRWLWZuIsmkL2/QLKbdq/sLBJKRNnm+mAM/S3S08AnYfuzGelHUGSzjeT6FLyk1fQKRthhmIZ+vIegn4BmokAxDKUm20qKOd2UhLfQOc1xyancF65G8DfwHsbBO0CrQGtrrL5FFZKke9XIZt1at+vYVKCTdgfzpdwqQQTFmz707A9BkFvuds0hWvOeVv/GL2AZqK4qd3hLTP/NlBIUSj5DDXneIMZQf8RoK6CoH1F+yjOJFtLCNpPRBP29J04ff5vZyDSDQUfipfnQ7kZRi/B4RPM+Eg4giIoBoIi6L8bFLvV9BPctVvN6qh0Bn4BwS3htqD32K2mr8BuNfg1QwiKoAiKoAiKoBgI+keAHtg/eo8V5YCgvYA+sCYgh9V+n68RtAfQ45a1qXneH8anYwdoY3ks0u3rnpduNT93rbnu9Gw25omVDw/00q1G2j9/UfIGKRzdScnb137ncvBh/BC5XGqsyYJTku0QS75triII+/123QnK8lCNS+OboLKZsx5L8oBB6Wo83p+kr0D5uLTbEm8SI5e1wmu71lxGnjqWVzS8oAVJYsiazA4zNQBtUo99T3uT6Fp74EBApfx5JJ1WnaCsS0UsW4LA+igZxGZVHXusa81lpIWcxt5uC8mZBo2cWlDzjheQbe7t4sDcCQYxi8D0hMGAnvYsQ7tKvpRNuSRpfmlM1YKCWNu15jIaJL52sdFUdh6ITYEmaUy2RmKoeUAao0zhpEqaoYCOznuIc+c51KF5KjvqO1AHytxKXkanNHe7HetiE7Qn1ka2G9MGUN7WPJOURnvW0P+d3UF+ubA/M8jDl7O8ztiA4ydQ7WV0yrhtXfMCSq0i9iiA2iRxAHZYoL9del4mJYNYVJBTFS6HLiVvXEveaEse0ldzXkDV2PQCPiZNKm95tSgR9BNQmpYOXAoFwY6Bsq41bBK6jFQjqWPJ9gso3xDAgwzVS83RZAT9eaV0XflodFt4iZ4YQhJo7WXSdeQFYE1seO3w7S+qQerqVk5jzytsy24/wrYaBL3pk3Etj7fvEBRBBwKK3Wr6BcVuNT2DLqiC3Wp6irtrt5rV/zoDkW7Iz/Z5xv8DU4jtJPfz9a8AAAAASUVORK5CYII=|thumb|none|336x110px]]

The optional foo route parameter is harmless and continues to be ignored.

Adding routable animations

Adding animations to the routed component

The heroes feature module is almost complete, but what is a feature without some smooth transitions?

This section shows you how to add some animations to the HeroDetailComponent.

First import the BrowserAnimationsModule and add it to the imports array:

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

@NgModule({
  imports: [
    BrowserAnimationsModule,
  ],
})

Next, add a data object to the routes for HeroListComponent and HeroDetailComponent. Transitions are based on states and you'll use the animation data from the route to provide a named animation state for the transitions.

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { HeroListComponent }    from './hero-list/hero-list.component';
import { HeroDetailComponent }  from './hero-detail/hero-detail.component';

const heroesRoutes: Routes = [
  { path: 'heroes',  component: HeroListComponent, data: { animation: 'heroes' } },
  { path: 'hero/:id', component: HeroDetailComponent, data: { animation: 'hero' } }
];

@NgModule({
  imports: [
    RouterModule.forChild(heroesRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class HeroesRoutingModule { }

Create an animations.ts file in the root src/app/ folder. The contents look like this:

import {
  trigger, animateChild, group,
  transition, animate, style, query
} from '@angular/animations';


// Routable animations
export const slideInAnimation =
  trigger('routeAnimation', [
    transition('heroes <=> hero', [
      style({ position: 'relative' }),
      query(':enter, :leave', [
        style({
          position: 'absolute',
          top: 0,
          left: 0,
          width: '100%'
        })
      ]),
      query(':enter', [
        style({ left: '-100%'})
      ]),
      query(':leave', animateChild()),
      group([
        query(':leave', [
          animate('300ms ease-out', style({ left: '100%'}))
        ]),
        query(':enter', [
          animate('300ms ease-out', style({ left: '0%'}))
        ])
      ]),
      query(':enter', animateChild()),
    ])
  ]);

This file does the following:

  • Imports the animation symbols that build the animation triggers, control state, and manage transitions between states.
  • Exports a constant named slideInAnimation set to an animation trigger named routeAnimation;
  • Defines one transition when switching back and forth from the heroes and hero routes to ease the component in from the left of the screen as it enters the application view (:enter), the other to animate the component to the right as it leaves the application view (:leave).

You could also create more transitions for other routes. This trigger is sufficient for the current milestone.

Back in the AppComponent, import the RouterOutlet token from the @angular/router package and the slideInAnimation from './animations.ts.

Add an animations array to the @Component metadata's that contains the slideInAnimation.

import { RouterOutlet } from '@angular/router';
import { slideInAnimation } from './animations';

@Component({
  selector: 'app-root',
  templateUrl: 'app.component.html',
  styleUrls: ['app.component.css'],
  animations: [ slideInAnimation ]
})

In order to use the routable animations, you'll need to wrap the RouterOutlet inside an element. You'll use the @routeAnimation trigger and bind it to the element.

For the @routeAnimation transitions to key off states, you'll need to provide it with the data from the ActivatedRoute. The RouterOutlet is exposed as an outlet template variable, so you bind a reference to the router outlet. A variable of routerOutlet is an ideal choice.

<h1>Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/heroes" routerLinkActive="active">Heroes</a>
</nav>
<div [@routeAnimation]="getAnimationData(routerOutlet)">
  <router-outlet #routerOutlet="outlet"></router-outlet>
</div>

The @routeAnimation property is bound to the getAnimationData with the provided routerOutlet reference, so you'll need to define that function in the AppComponent. The getAnimationData function returns the animation property from the data provided through the ActivatedRoute. The animation property matches the transition names you used in the slideInAnimation defined in animations.ts.

export class AppComponent {
  getAnimationData(outlet: RouterOutlet) {
    return outlet && outlet.activatedRouteData && outlet.activatedRouteData['animation'];
  }
}

When switching between the two routes, the HeroDetailComponent and HeroListComponent will ease in from the left when routed to and will slide to the right when navigating away.

Milestone 3 wrap up

You've learned how to do the following:

  • Organize the app into feature areas.
  • Navigate imperatively from one component to another.
  • Pass information along in route parameters and subscribe to them in the component.
  • Import the feature area NgModule into the AppModule.
  • Applying routable animations based on the page.

After these changes, the folder structure looks like this:

angular-router-sample
  src
    app
      crisis-list
        crisis-list.component.css
        crisis-list.component.html
        crisis-list.component.ts
      heroes
        hero-detail
          hero-detail.component.css
          hero-detail.component.html
          hero-detail.component.ts
        hero-list
          hero-list.component.css
          hero-list.component.html
          hero-list.component.ts
        hero.service.ts
        hero.ts
        heroes-routing.module.ts
        heroes.module.ts
        mock-heroes.ts
      page-not-found
        page-not-found.component.css
        page-not-found.component.html
        page-not-found.component.ts
    animations.ts
    app.component.css
    app.component.html
    app.component.ts
    app.module.ts
    app-routing.module.ts
    main.ts
    message.service.ts
    index.html
    styles.css
    tsconfig.json
  node_modules ...
  package.json

Here are the relevant files for this version of the sample application.

import {
  trigger, animateChild, group,
  transition, animate, style, query
} from '@angular/animations';


// Routable animations
export const slideInAnimation =
  trigger('routeAnimation', [
    transition('heroes <=> hero', [
      style({ position: 'relative' }),
      query(':enter, :leave', [
        style({
          position: 'absolute',
          top: 0,
          left: 0,
          width: '100%'
        })
      ]),
      query(':enter', [
        style({ left: '-100%'})
      ]),
      query(':leave', animateChild()),
      group([
        query(':leave', [
          animate('300ms ease-out', style({ left: '100%'}))
        ]),
        query(':enter', [
          animate('300ms ease-out', style({ left: '0%'}))
        ])
      ]),
      query(':enter', animateChild()),
    ])
  ]);
<h1>Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/heroes" routerLinkActive="active">Heroes</a>
</nav>
<div [@routeAnimation]="getAnimationData(routerOutlet)">
  <router-outlet #routerOutlet="outlet"></router-outlet>
</div>
import { Component } from '@angular/core';
import { RouterOutlet } from '@angular/router';
import { slideInAnimation } from './animations';

@Component({
  selector: 'app-root',
  templateUrl: 'app.component.html',
  styleUrls: ['app.component.css'],
  animations: [ slideInAnimation ]
})
export class AppComponent {
  getAnimationData(outlet: RouterOutlet) {
    return outlet && outlet.activatedRouteData && outlet.activatedRouteData['animation'];
  }
}
import { NgModule }       from '@angular/core';
import { BrowserModule }  from '@angular/platform-browser';
import { FormsModule }    from '@angular/forms';

import { AppComponent }     from './app.component';
import { AppRoutingModule } from './app-routing.module';
import { HeroesModule }     from './heroes/heroes.module';

import { CrisisListComponent }   from './crisis-list/crisis-list.component';
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

@NgModule({
  imports: [
    BrowserModule,
    FormsModule,
    HeroesModule,
    AppRoutingModule
  ],
  declarations: [
    AppComponent,
    CrisisListComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }
import { NgModule }              from '@angular/core';
import { RouterModule, Routes }  from '@angular/router';

import { CrisisListComponent }   from './crisis-list/crisis-list.component';
/* . . . */
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

const appRoutes: Routes = [
  { path: 'crisis-center', component: CrisisListComponent },
/* . . . */
  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
  ],
  exports: [
    RouterModule
  ]
})
export class AppRoutingModule {}
/* HeroListComponent's private CSS styles */
.heroes {
  margin: 0 0 2em 0;
  list-style-type: none;
  padding: 0;
  width: 15em;
}
.heroes li {
  position: relative;
  cursor: pointer;
  background-color: #EEE;
  margin: .5em;
  padding: .3em 0;
  height: 1.6em;
  border-radius: 4px;
}

.heroes li:hover {
  color: #607D8B;
  background-color: #DDD;
  left: .1em;
}

.heroes a {
  color: #888;
  text-decoration: none;
  position: relative;
  display: block;
}

.heroes a:hover {
  color:#607D8B;
}

.heroes .badge {
  display: inline-block;
  font-size: small;
  color: white;
  padding: 0.8em 0.7em 0 0.7em;
  background-color: #607D8B;
  line-height: 1em;
  position: relative;
  left: -1px;
  top: -4px;
  height: 1.8em;
  min-width: 16px;
  text-align: right;
  margin-right: .8em;
  border-radius: 4px 0 0 4px;
}

button {
  background-color: #eee;
  border: none;
  padding: 5px 10px;
  border-radius: 4px;
  cursor: pointer;
  cursor: hand;
  font-family: Arial;
}

button:hover {
  background-color: #cfd8dc;
}

button.delete {
  position: relative;
  left: 194px;
  top: -32px;
  background-color: gray !important;
  color: white;
}

.heroes li.selected {
  background-color: #CFD8DC;
  color: white;
}
.heroes li.selected:hover {
  background-color: #BBD8DC;
}
<h2>HEROES</h2>
<ul class="heroes">
  <li *ngFor="let hero of heroes$ | async"
    [class.selected]="hero.id === selectedId">
    <a [routerLink]="['/hero', hero.id]">
      <span class="badge">{{ hero.id }}</span>{{ hero.name }}
    </a>
  </li>
</ul>

<button routerLink="/sidekicks">Go to sidekicks</button>
// TODO: Feature Componetized like CrisisCenter
import { Observable } from 'rxjs';
import { switchMap } from 'rxjs/operators';
import { Component, OnInit } from '@angular/core';
import { ActivatedRoute } from '@angular/router';

import { HeroService }  from '../hero.service';
import { Hero } from '../hero';

@Component({
  selector: 'app-hero-list',
  templateUrl: './hero-list.component.html',
  styleUrls: ['./hero-list.component.css']
})
export class HeroListComponent implements OnInit {
  heroes$: Observable<Hero[]>;
  selectedId: number;

  constructor(
    private service: HeroService,
    private route: ActivatedRoute
  ) {}

  ngOnInit() {
    this.heroes$ = this.route.paramMap.pipe(
      switchMap(params => {
        // (+) before `params.get()` turns the string into a number
        this.selectedId = +params.get('id');
        return this.service.getHeroes();
      })
    );
  }
}
<h2>HEROES</h2>
<div *ngIf="hero$ | async as hero">
  <h3>"{{ hero.name }}"</h3>
  <div>
    <label>Id: </label>{{ hero.id }}</div>
  <div>
    <label>Name: </label>
    <input [(ngModel)]="hero.name" placeholder="name"/>
  </div>
  <p>
    <button (click)="gotoHeroes(hero)">Back</button>
  </p>
</div>
import { switchMap } from 'rxjs/operators';
import { Component, OnInit } from '@angular/core';
import { Router, ActivatedRoute, ParamMap } from '@angular/router';
import { Observable } from 'rxjs';

import { HeroService }  from '../hero.service';
import { Hero } from '../hero';

@Component({
  selector: 'app-hero-detail',
  templateUrl: './hero-detail.component.html',
  styleUrls: ['./hero-detail.component.css']
})
export class HeroDetailComponent implements OnInit {
  hero$: Observable<Hero>;

  constructor(
    private route: ActivatedRoute,
    private router: Router,
    private service: HeroService
  ) {}

  ngOnInit() {
    this.hero$ = this.route.paramMap.pipe(
      switchMap((params: ParamMap) =>
        this.service.getHero(params.get('id')))
    );
  }

  gotoHeroes(hero: Hero) {
    let heroId = hero ? hero.id : null;
    // Pass along the hero id if available
    // so that the HeroList component can select that hero.
    // Include a junk 'foo' property for fun.
    this.router.navigate(['/heroes', { id: heroId, foo: 'foo' }]);
  }
}

/*
  this.router.navigate(['/superheroes', { id: heroId, foo: 'foo' }]);
*/
import { Injectable } from '@angular/core';

import { Observable, of } from 'rxjs';
import { map } from 'rxjs/operators';

import { Hero } from './hero';
import { HEROES } from './mock-heroes';
import { MessageService } from '../message.service';

@Injectable({
  providedIn: 'root',
})
export class HeroService {

  constructor(private messageService: MessageService) { }

  getHeroes(): Observable<Hero[]> {
    // TODO: send the message _after_ fetching the heroes
    this.messageService.add('HeroService: fetched heroes');
    return of(HEROES);
  }

  getHero(id: number | string) {
    return this.getHeroes().pipe(
      // (+) before `id` turns the string into a number
      map((heroes: Hero[]) => heroes.find(hero => hero.id === +id))
    );
  }
}
import { NgModule }       from '@angular/core';
import { CommonModule }   from '@angular/common';
import { FormsModule }    from '@angular/forms';

import { HeroListComponent }    from './hero-list/hero-list.component';
import { HeroDetailComponent }  from './hero-detail/hero-detail.component';

import { HeroesRoutingModule } from './heroes-routing.module';

@NgModule({
  imports: [
    CommonModule,
    FormsModule,
    HeroesRoutingModule
  ],
  declarations: [
    HeroListComponent,
    HeroDetailComponent
  ]
})
export class HeroesModule {}
import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { HeroListComponent }    from './hero-list/hero-list.component';
import { HeroDetailComponent }  from './hero-detail/hero-detail.component';

const heroesRoutes: Routes = [
  { path: 'heroes',  component: HeroListComponent, data: { animation: 'heroes' } },
  { path: 'hero/:id', component: HeroDetailComponent, data: { animation: 'hero' } }
];

@NgModule({
  imports: [
    RouterModule.forChild(heroesRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class HeroesRoutingModule { }
import { Injectable } from '@angular/core';

@Injectable({
  providedIn: 'root',
})
export class MessageService {
  messages: string[] = [];

  add(message: string) {
    this.messages.push(message);
  }

  clear() {
    this.messages = [];
  }
}

Milestone 4: Crisis center feature

It's time to add real features to the app's current placeholder crisis center.

Begin by imitating the heroes feature:

  • Create a crisis-center subfolder in the src/app folder.
  • Copy the files and folders from app/heroes into the new crisis-center folder.
  • In the new files, change every mention of "hero" to "crisis", and "heroes" to "crises".
  • Rename the NgModule files to crisis-center.module.ts and crisis-center-routing.module.ts.

You'll use mock crises instead of mock heroes:

import { Crisis } from './crisis';

export const CRISES: Crisis[] = [
  { id: 1, name: 'Dragon Burning Cities' },
  { id: 2, name: 'Sky Rains Great White Sharks' },
  { id: 3, name: 'Giant Asteroid Heading For Earth' },
  { id: 4, name: 'Procrastinators Meeting Delayed Again' },
]

The resulting crisis center is a foundation for introducing a new concept—child routing. You can leave Heroes in its current state as a contrast with the Crisis Center and decide later if the differences are worthwhile.

In keeping with the Separation of Concerns principle, changes to the Crisis Center won't affect the AppModule or any other feature's component.

A crisis center with child routes

This section shows you how to organize the crisis center to conform to the following recommended pattern for Angular applications:

  • Each feature area resides in its own folder.
  • Each feature has its own Angular feature module.
  • Each area has its own area root component.
  • Each area root component has its own router outlet and child routes.
  • Feature area routes rarely (if ever) cross with routes of other features.

If your app had many feature areas, the app component trees might look like this:

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAdkAAAECCAMAAACFYF3cAAABCFBMVEX///+mpqb2Xi78zr/6o4j+8+/7u6b93NH+6OH4hWC7u7uxsbHS0tKS0FD/wAAvVZd/tEUAAAA8ViFpTwBHNQCJnsTh5vBOcCtgiDQUHQspOhbdpgAjGgCnfgDDkwDR2uhhfrDw8vdwnz2nt9O/y9+JZwDp6eni8Nn/5plbm9UAsPAAmdAAX4EAh7gMFR08ZotPhrklQFgAc50AGCEAMUMASGNGd6MZKzsxU3KttKl/f3+IioijqaC5wbSanpjdy5K7r4uLiYKWkYSupYmRk4/Ku46im4bI0sHe6/ef5v+ssreip6u3vsWZnaCIiYqFkZaWy92Or7uLpa6Im6KQkpWSu8rFzteCiYuIGW5JAAAP3UlEQVR4AezZQYruRgxF4ZNbKkna/4YD5i9imteTQIPd756xZx9CpoT73TnnnHP//GD8QM6yltUPZVnL/l1Z1lnWWdaysPSnAmDra8l6haxlk72/kS0F/VZZy3YvQqq9YEmsDXNkxZYaCGmArQQYy75AljUsqWg1IchhH9mgVIwaidZQntm3yCahvaViLjRaaubs2XWJKskkpcayb5HtSzX+KFvaaKhLdhGWfZHscFUf2fzI6iObLM/sO2WTkASfPTuCHPr+B9WMGs1nz4ZlXyHbSFIRRUFK9AbpyBahDUgKoCQ1WPZFb1DFSJJov0FZ1rKWdb4IPDnLOss6yzrLWjaB1P8tWc+UtewipT2/TdayQ+uqgNSQgGBL3QV5Tu06N/m5f5gA80BZy56ZW4SKGZgEJammtJlzai+WGonSIgYUrMfPrGX3loI11MUYH8b139muGBWTxP1Dyz5dlv4iW0d2ETfZWADnw7bs4/fs3t/IRpJ32SQkybJPl1VfcFNnz95lS5tzaj+yQ91lw7JPlVXBhQuMvshCnFP7kVUAxJFVg2Vf9gbV/7JzBzcAAUAQRe0VoP9m3WiAIdn3G5hkX1xIDN5BkSXbQFa+CIis/IGELFnBIiuyIiuyIiuyZH+ayJIVWZHVWI2aZg+PWbJmybaZJUvWick6MVmyZM2SNUuWrBOTrXRfzuZXX4gs2SXZLbsmu2S3ZGSfiyxZsmTJ7sfJrr3otooDYQD2C6QwQMIdc33/V9z/95k6ASlSD15lxdYj2dgzRrdPo1Y4qa4yrj4lm+d+KcXHZO/GLx/marKlIMp9rmLiTdQNTWusGjnfs60gukOSiTfRy/Clr7SSn5Z9sHzf5ywTb8LYJBmN4WOaridbYf6x7MyS1DJjzkJk2Xg/ly3E9eogOZEDZEfMP5ZdzJLcyWqX0awXla1EJMWOj0o4sy/rmpQg1DLPVRgzU6gHy4rIxh0fwnmT/qvH6PJOtMzoOifLUTATJmuNmbjjwxrMo3kkCcZqVrNoGbECfTJ/ljhwSdkZcyO3Krul0vzpWS8LUi1rZPWtIWu4bFc4RmFTtq5nvSxJtazBnlXoMNkVMxjtgqZcXc8+ZSdfduEqGteTRVSZcDUzIfVBNoOlLzMk4yZQFlEMYNM/m7kMe1lo+7LKMtpAWcQ4Pbji/m7sQXZJEl++vCx7thEEtDgfZctnmYHqTO/wngUhIwcr4iDb+fJLzwK8De9Z4wKsiKPsXcv/G1k2pXukvmdrL6tlDWWWcFnXlO6x+Z7tvawvv8puMoTLsin5mHzPJq+yWtaYzLVlK85Eg6TvU9R0zbIPtCutq3BZYiGcJMioSWVRWZYPssW/0bOWs0pa1ZyQVVmWffAIpuWqsnywDVNMTU1VEkuTqayWGao8SxYsy4eQsRApINvrWnvWl/d/Z4Nl+TBgXIyZJrDp2j5UVssaLBkbvy7Gr4tRNspG2SgbZaNslI2yUTbKRtlPRJSNspWIVKcBKynPyfb6BeJc9LKdk9UvECfDTBeSLclap5+W3cjatR+WHcm6rr9ClnexLjK2LrZs4ZsIvy82GVPIuW1Wl0LG9PUgJ0n/Xtb/oCJn62LLFv4SXggURc4Ucm6bd5u/mvcHOUn717L+BxV3ti62D2vMgnHnbydcKplQGnFg8Vfz/mBiEOtFZH3PlTIDNwVbWjkx3rNntxpssE+xzKRE6vtqFgf5Pflkz/qe22QAbgu2tqcY8ArJ3U0d7Fssc5x0P5TJeRgHeWNwtmfNpK1rYbcmDwyKAQ+QyepSegM0ETuxhoeRXZjV9y8ly8s6SpGQY1bGUioiY013jkrm14OBsnq3Q0KOQRk36YmMNd05ehleD4bJ6t0OGZWSjDB8kJFlunNw6w9eU1aavSyGyrKbn7JzKQw92ITKSrGXxVBZdvNTdtiEoQeLQFlrxr2s+Zal5lPWjobxfXC85N/Zun4jO+96ltuZ58NkqaM9+0Z22PUstwPPB8pSZ9+ze1m771nLnmVcUJZmhEthRrudLEYt9HMpleXyRXY+JUszwrUwo91eln9n6edSKsvli+xwTnYxD0wrzWi3kzUQXbikucqiupOdriQLLXG4IqA7yAq8sRZqqiy3SKuse++MLLTE4YqA7iAr8MZaqKmy3CKtsu69E7L6TzEdQbeXtcY1KCrgU1mWmFZZvrdc/hsUzf6Tb1CFfP4bFK2X3/N1McpG2SgbbwTijcA/7NyxCYBAEERRzK1D1f4LNFpLmAHvTQMf9qXHkSXrBxI/kKRG1k9fsmTJOjFZJyYrS1aWrCzZyMjKkpUlK7uTDRx5a+wg28/+pUmWrCxZWbJknbj/gKQWbYSb2cVkz+g+2Su6kb2TG9knObJkyZIlS5bsy6696CbuM1EAf4bzFKUkIVdIMIG2ENL3f6PvnHUH1mLRktB+f63kkWwnM/bq8tPIEd1ZkSD5ekqRRdmfkV3ll8cC5UzZFIw0zFVK3Im68Uea5RrJQ7JRdgNGG+YKJe5ECX8Ehc52s2UrLY/KZkjtCI2j7IOy6rvHZdH6Iy02rx2K52QrQC2YaqmgucZy2UCUWFtZ+yp/hIVp92yULQDkeuNSQHNLtpIDHVZW1r7y6wizK6WekM1QibFaLxM0vmdNlqRWvm3zKDtBlnOHTbHiPQrfsyZLUisHR1RXzL9nqzUuX0SoQ1l27PJSvh7Jouy0e7bMsbFbk2KhLLWt/I2y1VKEXovTjWx6KT/Ts7FnOyg6cjFCWT1bOZR9fVZWTakFyaVnm6uslaPsM7JqSi3ILz1bXmStHBxR/lnZSvOXZG2aSQUvq/KzslG24MzQXQqvqeeNf7ayhX0bPyurhbFMODU1hf1znXpZKyvspZklu3XbX+vOWaZ3zu3nQh4Oj8i+Oca7ntyH5Y5MzYY8nmbIagFotQLYs1SFiJF7WStfjij+oV8Xh2HgvHdbZzY7Tu6nZd8WZ453926yH+NicT5+l2z83ViG7lPr/gvzU6+KwbmB6V3PDtZgZevc4VLZDgdlmXZafJElt31MdqGxMNmrsHM0Po1sYbUxK8fR97dzjn7jiTt0wGk5f5xUZMqdA9koux1ehv4iq8Tu2nzDgenDS68xkJCebm+Vretf+p1IuYnLjhv2E3rWW5roOF6b7+O0OJHrqHEi4Yn9zSx1mRlJeBx/dfzpyGXkhtizf5AdtrQMZAe/uk81rNJ+EE6pQ28VHmOKT7qk9yLXPzbhnh0DWdGooNxRaH6MfsfH+cxFr+PoN4zaLHI1/41slJWWWi3oWV/wk9J+eNn+YBVt1OIUk2Xf1Jq3PSs/TV5Ww+84vlNTpCY7OkWUvSvbO0V/e8/e9Ky737OKGbKSC+/ZoGdt3O1ZRZS9J7sTar8zWcWwU143qW7gQHZQf1vFy3rSq2w/PCorDRMVz8j0UY3MGzWQdScO3bEcZ5M9u0BW2WtEWcl4la1j2LeTc2La6Vs3lO3V3lbxshoMk9Xb9sF7VnB+tY9iZ1/AYc+OjqI6I1wvy6GTF9nzP/BtnAFIZwNWSH/oNygRfv4Hv0FR9gd+gwLQzhfEaqqs0TRZlP1J2UKsXff/lUXt1zWAiq9pDSQczNQp5JYA2pSiAtY6waxtZIrzX2SjrP0pbuNbt21LIOfY6I8DvptXADdt9CrG9reNanh0U2UzCEtumf8zD7KMVhlSvjbLhmkuCXelHNpR68/yFTcmyj7Ss/EvAsKy/ylBo5ZDYsQj5GsHpYi7YnUl7NcS2sxsrqydnyVb13pOxWiUZBScGCkse40Mlaq2cYJslO2wkZ8YjVKMBVoxqix3DZTBxmdkBRXINiYr0atsVYFhsvUU2ShboghlYbLSvMqWBRS2sXjqnq3rO7JV2LOVelYRZSffs6L7s2wZ9mypnlU8JbsWzTpb+3s2lNU9myR2z3pZVX+TzR6QjbI5Wk6dzGQXyIKiuR5lbrItAtnVHFlqQToNQNhQdg1KEg+ENVmWGJXJ6txfZKOsfRTLkXShbAmoQQE1psmyxLTJ6lz+jb9BqYXnRJSdEDny/7VzJ7jR4kAUx8+Vmn1np2nTcP+bjB+k+BYSDemRTSv9L4nY4Ow/ldikd/AzkUX2CWSRTVDI3l/IIku2TIIiW4Y8qKRF0hc/FllkExSyyCYoZPkXI/tcdz2f9F6LRE2XLbLWq2yZtZBFFtlnlkUWWWSRRRZZZJFFFllkkUUWWWSRRRZZZJFVoqaniuRP1FTeSKJEzb1sZbFqzRpr/WBn1t0tac1/y/YW61KWg13LtS5mFu51vNjlkKwnav4YeUWcOVHz77/i9K9domYqWRHaWBTt2LqspKs2qex1HYImqpvdyjIMyWU9UVMZTyckair9KVGi5tuy06LhsvW4jpOZVfFw3VlXaCvqdjRrtpWxWnu7XoZqbOOiluyo7JfJF2GT8TyYhcvSxeE6v7b3Mmil1xd8WVy+aD4i64maqh9esidqqkSSKlFzLxuNapddd7z5RN7GrdNWRcJKX+Aro01FVxeV6WvjUBf1uvhxWbttzXeL22xxastuiEvXPh4VbqmV0oYy9EJeFvtwvGc9UVOkZyRqiidBouZh2WpdGXWs1uF1q9dutslX9FV1q1nRdMt3muz4eTZ8I7vSXIOODUJbt1sZgsBjd5ba1dE410yfrMWhPyy7JWpqdkaipmiSJWq+LVvtelZmK5zLtqts1/jKq+xosVz2f/Xs6ic4lx2EJ/jILXOXNdWHZT1RU7xnJGr+pUmyRM23z7PT7jy779n2/Z5V3S+7jfueHd7vWdUHZT1RU7AnJGoKNlmi5tuynUw32ckiVdNO1oj8G1mrdCp9XXHZqvtGtqvukB3UtNfhtpxnXXU7lYZ+OccOc+myIt1k1fJHZLdEzZ/PSdT8PUGi5oH72dEnscysi7hmkfDbnh3NJl9x2Qhu1rqs9o7dz8YG1DBsF8XBr4C/7dnZTO1sGlx2+Q7DJht218ZPmM4n2XurHrM/gxLeoXpmWWSRRZY3ArzrQRZZZJFFFllkkUUWWWSRRRZZZJFFFtn0RbYMiZrpi6QvZJFFFllkkUUWWWSRJSs1cZ0rlLjISs1fPF18IllkkUUWWWSRRRZZZJFFFllkkUUWWWSRRRZZZJElK9VSZ6WeL+vZMp4XkzcrddDHU7JSPRLKs1I/o6xnpXZSzpyVOpfldT4pK/WHl5RZqY8iO0lDw5Q5K1Wk52SlKs8rYVbqg8h61GJj2bNSy2E+Iyv1BzVeyqzUB5Md6+xZqeLJn5Wqsh9TZqU+jqww6zF/VmoIp2Slav5nyqzUh5D1E2ytWeas1NCXZ2Sl/vmP5imzUh9FtmsdNm9WqmDPyEp98fvZBFmpj3c/a/mzUi/2SbNS8xe5i59PFllkkeWNAO96kEUWWWSRRRZZZJFFFllkkUUWWWSRRZZsGbJSzy+Kov4Fzgy+v/TcU1YAAAAASUVORK5CYII=|thumb|none|473x258px]]

Child routing component

Generate a CrisisCenter component in the crisis-center folder:

ng generate component crisis-center/crisis-center

Update the component template to look like this:

<h2>CRISIS CENTER</h2>
<router-outlet></router-outlet>

The CrisisCenterComponent has the following in common with the AppComponent:

  • It is the root of the crisis center area, just as AppComponent is the root of the entire application.
  • It is a shell for the crisis management feature area, just as the AppComponent is a shell to manage the high-level workflow.

Like most shells, the CrisisCenterComponent class is very simple, simpler even than AppComponent: it has no business logic, and its template has no links, just a title and <router-outlet> for the crisis center child component.

Child route configuration

As a host page for the "Crisis Center" feature, generate a CrisisCenterHome component in the crisis-center folder.

ng generate component crisis-center/crisis-center-home

Update the template with a welcome message to the Crisis Center.

<p>Welcome to the Crisis Center</p>

Update the crisis-center-routing.module.ts you renamed after copying it from heroes-routing.module.ts file. This time, you define child routes within the parent crisis-center route.

const crisisCenterRoutes: Routes = [
  {
    path: 'crisis-center',
    component: CrisisCenterComponent,
    children: [
      {
        path: '',
        component: CrisisListComponent,
        children: [
          {
            path: ':id',
            component: CrisisDetailComponent
          },
          {
            path: '',
            component: CrisisCenterHomeComponent
          }
        ]
      }
    ]
  }
];

Notice that the parent crisis-center route has a children property with a single route containing the CrisisListComponent. The CrisisListComponent route also has a children array with two routes.

These two routes navigate to the crisis center child components, CrisisCenterHomeComponent and CrisisDetailComponent, respectively.

There are important differences in the way the router treats these child routes.

The router displays the components of these routes in the RouterOutlet of the CrisisCenterComponent, not in the RouterOutlet of the AppComponent shell.

The CrisisListComponent contains the crisis list and a RouterOutlet to display the Crisis Center Home and Crisis Detail route components.

The Crisis Detail route is a child of the Crisis List. The router reuses components by default, so the Crisis Detail component will be re-used as you select different crises. In contrast, back in the Hero Detail route, the component was recreated each time you selected a different hero from the list of heroes.

At the top level, paths that begin with / refer to the root of the application. But child routes extend the path of the parent route. With each step down the route tree, you add a slash followed by the route path, unless the path is empty.

Apply that logic to navigation within the crisis center for which the parent path is /crisis-center.

  • To navigate to the CrisisCenterHomeComponent, the full URL is /crisis-center (/crisis-center + + ).
  • To navigate to the CrisisDetailComponent for a crisis with id=2, the full URL is /crisis-center/2 (/crisis-center + + '/2').

The absolute URL for the latter example, including the localhost origin, is

localhost:4200/crisis-center/2

Here's the complete crisis-center-routing.module.ts file with its imports.

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { CrisisCenterHomeComponent } from './crisis-center-home/crisis-center-home.component';
import { CrisisListComponent }       from './crisis-list/crisis-list.component';
import { CrisisCenterComponent }     from './crisis-center/crisis-center.component';
import { CrisisDetailComponent }     from './crisis-detail/crisis-detail.component';

const crisisCenterRoutes: Routes = [
  {
    path: 'crisis-center',
    component: CrisisCenterComponent,
    children: [
      {
        path: '',
        component: CrisisListComponent,
        children: [
          {
            path: ':id',
            component: CrisisDetailComponent
          },
          {
            path: '',
            component: CrisisCenterHomeComponent
          }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(crisisCenterRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class CrisisCenterRoutingModule { }

Import crisis center module into the AppModule routes

As with the HeroesModule, you must add the CrisisCenterModule to the imports array of the AppModule before the AppRoutingModule:

import { NgModule }       from '@angular/core';
import { FormsModule }    from '@angular/forms';
import { CommonModule }   from '@angular/common';

import { CrisisCenterHomeComponent } from './crisis-center-home/crisis-center-home.component';
import { CrisisListComponent }       from './crisis-list/crisis-list.component';
import { CrisisCenterComponent }     from './crisis-center/crisis-center.component';
import { CrisisDetailComponent }     from './crisis-detail/crisis-detail.component';

import { CrisisCenterRoutingModule } from './crisis-center-routing.module';

@NgModule({
  imports: [
    CommonModule,
    FormsModule,
    CrisisCenterRoutingModule
  ],
  declarations: [
    CrisisCenterComponent,
    CrisisListComponent,
    CrisisCenterHomeComponent,
    CrisisDetailComponent
  ]
})
export class CrisisCenterModule {}
import { NgModule }       from '@angular/core';
import { CommonModule }   from '@angular/common';
import { FormsModule }    from '@angular/forms';

import { AppComponent }            from './app.component';
import { PageNotFoundComponent }   from './page-not-found/page-not-found.component';
import { ComposeMessageComponent } from './compose-message/compose-message.component';

import { AppRoutingModule }        from './app-routing.module';
import { HeroesModule }            from './heroes/heroes.module';
import { CrisisCenterModule }      from './crisis-center/crisis-center.module';

@NgModule({
  imports: [
    CommonModule,
    FormsModule,
    HeroesModule,
    CrisisCenterModule,
    AppRoutingModule
  ],
  declarations: [
    AppComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }

Remove the initial crisis center route from the app-routing.module.ts. The feature routes are now provided by the HeroesModule and the CrisisCenter modules.

The app-routing.module.ts file retains the top-level application routes such as the default and wildcard routes.

import { NgModule }                from '@angular/core';
import { RouterModule, Routes }    from '@angular/router';

import { PageNotFoundComponent }  from './page-not-found/page-not-found.component';

const appRoutes: Routes = [
  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
      { enableTracing: true } // <-- debugging purposes only
    )
  ],
  exports: [
    RouterModule
  ]
})
export class AppRoutingModule {}

Relative navigation

While building out the crisis center feature, you navigated to the crisis detail route using an absolute path that begins with a slash.

The router matches such absolute paths to routes starting from the top of the route configuration.

You could continue to use absolute paths like this to navigate inside the Crisis Center feature, but that pins the links to the parent routing structure. If you changed the parent /crisis-center path, you would have to change the link parameters array.

You can free the links from this dependency by defining paths that are relative to the current URL segment. Navigation within the feature area remains intact even if you change the parent route path to the feature.

Here's an example:

The router supports directory-like syntax in a link parameters list to help guide route name lookup:

./ or no leading slash is relative to the current level.

../ to go up one level in the route path.

You can combine relative navigation syntax with an ancestor path. If you must navigate to a sibling route, you could use the ../<sibling> convention to go up one level, then over and down the sibling route path.

To navigate a relative path with the Router.navigate method, you must supply the ActivatedRoute to give the router knowledge of where you are in the current route tree.

After the link parameters array, add an object with a relativeTo property set to the ActivatedRoute. The router then calculates the target URL based on the active route's location.

Always specify the complete absolute path when calling router's navigateByUrl method.

Navigate to crisis list with a relative URL

You've already injected the ActivatedRoute that you need to compose the relative navigation path.

When using a RouterLink to navigate instead of the Router service, you'd use the same link parameters array, but you wouldn't provide the object with the relativeTo property. The ActivatedRoute is implicit in a RouterLink directive.

Update the gotoCrises method of the CrisisDetailComponent to navigate back to the Crisis Center list using relative path navigation.

// Relative navigation back to the crises
this.router.navigate(['../', { id: crisisId, foo: 'foo' }], { relativeTo: this.route });

Notice that the path goes up a level using the ../ syntax. If the current crisis id is 3, the resulting path back to the crisis list is /crisis-center/;id=3;foo=foo.

Displaying multiple routes in named outlets

You decide to give users a way to contact the crisis center. When a user clicks a "Contact" button, you want to display a message in a popup view.

The popup should stay open, even when switching between pages in the application, until the user closes it by sending the message or canceling. Clearly you can't put the popup in the same outlet as the other pages.

Until now, you've defined a single outlet and you've nested child routes under that outlet to group routes together. 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.

Add an outlet named "popup" in the AppComponent, directly below the unnamed outlet.

<div [@routeAnimation]="getAnimationData(routerOutlet)">
  <router-outlet #routerOutlet="outlet"></router-outlet>
</div>
<router-outlet name="popup"></router-outlet>

That's where a popup will go, once you learn how to route a popup component to it.

Secondary routes

Named outlets are the targets of secondary routes.

Secondary routes look like primary routes and you configure them the same way. They differ in a few key respects.

  • They are independent of each other.
  • They work in combination with other routes.
  • They are displayed in named outlets.

Generate a new component to compose the message.

ng generate component compose-message

It displays a simple form with a header, an input box for the message, and two buttons, "Send" and "Cancel".

[[../File:data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAPoAAAEGCAMAAAB7FXjZAAAACXBIWXMAAAsTAAALEwEAmpwYAAADAFBMVEX///+GreurwOKZvfn0+f+Hptbc6v/v7+/3+fyry//x8PDt7e12mtN3nNX7+/v///7///r09PP+///5///9/v/5+fj//vXy8vFKREKOjY3y///Z2dlWSUHi8vvu8PHMzMzx8/VAP0L+/dru+v9GREv79uv//+L29/fK5fiTkZLy7+3o///66szu6ubQ3umHla/z5M6Ylpzb3+KJh43n7O/Us5eKk6P+05H9/Mfo9fyp3v7/9dBVbZDBqZXp2cG0l4jY1M7n4dyexOW/5vGpgGPw1rPO+//MqI3/3J3dup2YqcPC4Puzopj88NxlUUTx6d3+9eL//u3Q1dzZ/v+Gi5ihs8a4jm2TfGbq8vbi/f+hnqD/2aqRhZmMhoI+XIfc9fTw+viYjImRorxhcH6VaFRZXWnZ8/7hrG72/P/18eOExvXzsFehloxvTkcJgbmgzPS0t7bU6PmlXUDg3NfmxKBPTlNIXHrozakJBhQ9aqX437/T5+/AnYZIUpfnwZGt0vRjW1aLY0ZES1v005+Wn6y70d7tvITNuqZYV1d6ZllJV2pil7PXxbDg5epfpNm56v/D8v9SPzn94a6sm5CMTkOliYmqqaf4xoFze3zIh12lv85/c2aVtNFhQERpf5qTtN//6bd4iaNYl8qtjnapdkyvi2CvzeNusOR3u+a92+Y6Rl+3r56hqr6eprSrgxqOpcg7O1JFOHSosLRfb62Bf4nkz7TEsqK23PSx2u2Zye+AncCfu9vG1uve6/FtoMUwX5n+8r9Pg6mxxtdsh7wzTnV/qcqCvOM/ZIG/kVl8W0rdoVRBRILKnnYKJFRsXKJkufknFhI2LjYyfcNJU4Oi1OlPhr3GuLcRUp7Qmmq8ektUKxZTOWVdiISixP2BWDFRCotzLT/o7tT2vG7X17xAjtBwKIF2rdXM9OjamCZpo9eLk82xxMqIOmY/dqyPTYqkXiWZ2/+stNdlleSKhEDLjUpxRiMYcsHe7cQQMnt0YXeSzvybe7fFeCOadB+qaWR/lM6LVBRZAAATp0lEQVR42uyae0wT2R7H5ybcdcMmTmlrHcpUbJkStEgrCIiUdxFZoLSAVBZBoBSQ0CCPQngKxUVAEXmsIo9K5bErugEBXwiIggpibuJFDcbEeK8bbowx15vs/rGb+8c9Z4ZCFdlE9I9LnG9IembOY87n/B5nhhkEoUWLFi1atGjRokVrjStQVqbTGa6lrdwCVfiGrFgnfBJpdigIqtbp8vo8mItnPFW3HMwa2EdLD39oHEZYMeipbuP+yUzR2Gt2nxFcoMIJ9VArRpzjrdjGM1q6a6U6RVeJGXqqHKtpjpMTs1dZplM7y2+aowtkk9c/MIwwVU7UDDXLiZWvhCDu8rufDx31TOaP1W6y2uiYTLzyWBG9+95KE0LDspfQ2al4/MgOKyvLVKzEgW0y59Z95g7FsNr09QcWcI6QBlhaWYU/IKS7V5oG+zT+0+dDZ9yvp6yNNkzPXGN9PDqiyC6JMZUb5DOUtZVnsBMeHzENTv6LvDqyFDbVf2LFZqfxz2j18emZAAoYndP5cxE0UFVWpe4BFxB0ThS5Vlep2+yQwC6C0Bl2Iaiks6xKY7xKTjZQVaUxhDACtRhR9TfK7uh97BVlYLRBO8HjzA36ysqktqpbWWAxwFhgYC5iXwxjPSyoGnRfDHrFVO+rBVtUaCdE4CcXNDfAQNlT9rZDVaYxpjA5Z+SYTgfglV6g8zAYFCn9vcVrWtO2qvVwx/9uso5wWwJTWSzXq1txYiwFxKS6tQyUe/tEhd1VerVbiDJYqwPn+HnpMDRBhmitz/tjXIXrmycouwuy9bsW3JyzbR+bc0ZTpml98zK5wAGx78Q1za24vk0k6I7PRBy7CU1zNZ53duHakn/XLLgVCnqyEOFTvLe5FatJZyLumJs8D+SAkixGUDWmaX7E7VCBfFKNz/awkEptVdXv6hvcVZCz/4mdsFgoM9kIs1J76/tN6yQy4o5IIKuX9lhuzC2PP4w4yu5lbmAVZudd37guPKh9UMTJby8J2LTtuFa6W5Jd8q/NlOPsbJrZzTTz4jP1t5y28jwheqX2WJHl5tzpN3X20fGZjKCy4QOWlq7Pby24S2CT9KRpSrBnKva4dt033k2zJ5nuGDFfuy58CvvJYn0lPj+aZg9mV7TOslQLNo7K5/E3Nn2TwFyN1e8vocONR/YMOD2CVkwXhAhk/XeA5wm6865Tsc4Jbj8Hl9e7aVAUNqX/A/rpr71vzdJch/Y9dAyGJomeKh+Lgb4wmiYA6JygZ8NgtTaE76DWjJH/wjy5oZ7ZJfAQPU38CNALUpjQPU/YIWSai5U/htmJM/fMn1X52zsb50cl+FRzdNSzvACOhApks4cFshl/chs2oaPCWjvGwZfF1cSgSJKdd5Lc753tzNDH37f6pUcsuIeAQWOnCY0RphAEoiO5z/Vq8chi4md4N5mjr29onz0F1Yk95rpjv8AdYc8ieiouPQIrVdgdUaV2LGa1ae409otZjmiYfpNFJuhoiB5/+B10MEGQAnWEXjcoKmwajFm+uQmyL9W9iw73DBIdZEU+X6cxjDBJdE5u+UNwaDSZDCxlndm2U9HOp/SwQOSOnUh7F11uqjwWWamFnrk6q3doS1IWZttgfbZw+g1pdaVsNpNCR5fQGZen9cbXvjbHmyC6NHI5OuNXIp1Kc6jSR+xAoVNWRxjbcp4kyvnSqzDWwbIc9L2iwvmGuoVBpnrTTdn2gTirov2xDZTzth0sd+zH99Dx4Qiy0m8f8xPQEc5TIj3NlJTmBckz5+FCjCffvLrM6ooHvfNfA5TLL0Csd9XASXMqmq8LzG5pKvCCGGoh98hvOphZXRlkHEHWb/2H7NlZiK4oNtYhG7Z6yyYXgJWl7QaKgVPRXhI5/qIAOhW6p/kucxl6JU7diQQP9bA+BR3Z017jn0ZGvTz+KjKHj4FhlQ/qj6Uss7rn1ORfqHuOQZEwtX8CpDzFU/1bxRI6qnzaP0HGT2Eyf97O3Opz+HwMDCQK3T762V/hokyZ0NmOXf3DkJZROE3cZQqf9sJL2Xfx05ejj5dfegSu3VA+6f9JVod5W68+MuDTWj8JkrtnMqE+ckGFx/ewzK0uiO43vN7hWp/ndiGjWkcAZ5d09RsGTrVij0XC//Ye+4/p+oBAYxy4EFfGPwZvQZZivaNcb/gZDCwNIR0+v7zXOBCq0g2mmGIlMLlf7XbolErOH7MDR029hoHQ1vo3KYg5ujsef8SBVdleYxxorOaDm49PQkc53p1yjODrxSMgkaISH5BE9MYRC0TQRaILusHTBiO//OG964piOZ+oET/pmgSBL+nEwUHfVwin9Df+rCk9o+FXqjEC40tbeGwQTCQ6+fjC8JbhfExvdGKRjy+cyyoMdB/OWsyKqMRLi2EYYbhN7lze0TiG6WG9+0MyzbnXn7MDm289/5WHEnQm+DXfgktUtq8+w4M7GebBHFtb2wgPKkEJwUEEuJ9COH4R8D4P/MAQ8LON4KFkHY8jgRUMoa+trZMdfGj1tY1Y3CVQpR84H1FLxhBoCNA4OU4WMM3B8/vYC+NywsnDdx5+c+CpUWqnZ4fBAzgBhW0We/EH9CpKQxiws1MCjD7fUdYnPb2hHzpA32vDZiNsdGGxTPXoh0YDf2zm4o0Z2ZW5Qtv3ejL/tJVZ1aKvsOn/ttCiRYsWLVq0aNGiRYsWLVq0aNGiRYsWLVq0aP2fSGHj+xX19ibMxvTa7csQGhvXfJb6mCY4biiA9SVZPdY6TsyDb+/sQ+OivjT07S7kt50N32VAdE64jY3zPjb57YuNzagFQp2BH3kxDubAEpsqOXuE17Lgm2Ebm1ruGkVv+YH0+OAkr/0BLOHlDGtrl5YDLIYk1HqLtfh8Gse70WWLdVIROOMFCkNJWUxQirPestdnmMsIvwJauZ23Qzh+zmttAWLjMoOgxwt8/F0Beu6Wi045RxPbeAIvt9t+LzPEDo4+4u/9jicmRYYFRd129r3g8i0XlFpsjmaAkiLI7TU8dxix7zTuXnvogfuBxzdsDwHoOxv7Rtd/rTzq5uDY2MZDGN4DWd4ZLVxEeXlvStiV28Cu4cVJMYEuN0BkBAL0Bhd/xoYNCmB/5ZWLkWsP3dMHeHxwEi94f0BhxpFDQI1DPQJXl70RtZuZiGNxVItTbQLZeL3VVm+fpAOlbiHwqxmfvoRSl4uw/Q9Ru9dirMdlslzFPHsffy5Az090+47Uea7kwpa4oYtOFhzv0MS4qL1FaQxhju2h0ESXpKJSMSQVFvcluLpsJ5sPnFyj6MDjG7YHsAB6YOIj6oMgNszsT04lRvUA15Y8CU0Uhygg58+HGiE6JD0I0d3WIvMSehrweNckHgLQO/7X3r0ANXHncQDfs+jSpE2yYeNO4BozdGBJTAIhED0xIHDIKw7lDC0iHoT6AMy0qMyRAqN2hGOuhJOKOVrOOT30tFaQu3a0N/V84Z1z4ygi4+PO+ig+Ts/j6qNW7Vnb+/93Ew1irDBzw3L5/TIQspv/Dp98//vf7LIbHOPxqVvapuIIfFY6keZuK9KrCbSuF3Yn2vP4dX1JlW0F2sDFuLuKV5neJPB2MC5kjNJl8UZ7ShCmR1ps9flsmcWWWu3OWsKyOxzdLnvbj9gIV2F9WuFNBVvmmlcyU+cuKWJzMtEwp3NH16ipGPenk8cgH9OJNDt+D4voIdUtps4Kh3Lcy5ENyuiKbfaSCbMsyroKqyZvYUySqfNki1JZ15xbqTR/ZLUps0InVtptH22zm7OlY2/jJq0uWFFKJGzLyifoqoKoEEK302isw+et57oKjMa8CYR0VgP6oRtt6WIsaIJhR2c26v8txs76pK5QtImzGo0dUYQ019I5xjZuUp/TBWnPWXmPnTQo9T5HTvMzZRFifPajzo0vXKHlRABVbpUpRaEoq7StCLx9/JxaZedJq6ljzphW0EEjqNIci81m3jUnaGzV4OMwdPZzI6qzuJ4bY5Xta6eX3BofOHVriW/qZ18IDpgRKvjF530fPg90oAccfWKx/8PvMlbib04EfwxbKlMPaS7TqkrHBH3xG/4/qWGNLcXPHN32ozxz1fkh+y1zTx85HjJ26BMlchlLE4pgWkExLC1VsCwVTEw58wEXrYJRs1y4UgmlDpYpWKpURuOppWgKasjwcwkZmiuXHmrHlyrJghUUK1FQ6Ok0WoJEzs1ngmmZopRQKNAdi5ajLh1tuvSbv0zO+EOK/Gpj7N97nXuzpw4seNd5Ytk55z18/aFuE5rGXX76yuHTR164u/3DY3u2H0243nvkRZz68tPOP6/mu8Bp51szF/c630D2Kade671X8bbz34lfp4SEf3ETH6xe/hVa9pozH8je/7pZp3xn+wK0tJDRTv1C+8LWlQeLv025/ZuofQPfhZ/7afPPf1aewaUeubFn5txfXMK7Lumfra7+8Z4Hd0J027csvyPXrZ226vyVpTdkF+5gwb7Py3Ov9728GMuJjN724m+OvIle0E2fzs5oxB/zkLHgn5Hze664r0W+On3aXIftXF/x4c9WjzY94+Oaw4f/cbdnMy2T6AauhQ8cmLxh+haejuKUrPk1pids7AtBO/kPLhGYvneJRD4R0TdtKeaju3BqtnzKvWaOLs2490fiauPCqZdTWhubF2XhSzgPvTeNWLTyeO39u5YDNysd2748Six/e9po08MHLt537VneGLXhnPPYse+mfnEt9BE97Zyz98N23PNf60Pfq9EQh4a5XNT5D+IOr1vbu5c7Prn41Bxiw3mejjp8qoc+tedffH+//fo0NHyUtzo6LR2WX92v+rJcCHTi9rb2/vub1hUv/e3CyIFrg+gJ3/bM2TfvEv5Yg419cqmXTtCytLU3EF1KTDx0J9STeuu9x+m7Ql7deIL7WBM+9f9sKPj45MW/NpZPEQi9dWX75EULjucuPTC79Vi7l/76FkyfdyJ00buXQvC6frm5ev5+jv7LQ33SNLyu3x24geiedT3yel/p4/TQKT9s5y5ZRut6+PyemZG176xP+N301UKh7/t8fOiFtz4hVn3l3P/A3M/Tw5ceKccfEnPaeaawBx+aeOVvvXiE51JPuO7kOzwa4fdyR+akeIRfSAyhT728nvtjJL0Kj/AEjZKPdPdMHnW61HPVLS33fKGS4wNx3incTFSeI3boByk3l+AmonvuWl/PgTya9i7R8yR8d2H/Jw8b04+WIeW+5KNH/9/X1d8fHP2/QI8OXSoRwEk6sOcGdKADHehABzrQgQ50oAMd6EAHOtCBDnSgAx3oQAc60IEOdKADHehABzrQgQ50oAMd6EAHOtCBDnSgAx3oQAc60IEOdKADHehABzrQgQ50oAMd6EAHOtCBDnSgAx3oQAc60IEOdKADHehABzrQgQ50oAMd6EAHOtCBDnSgAx3oQAc60IEOdKADHehABzrQgQ50oAcynTEFKl00LyxA6aQpLEA7PGmaEaDrulg5g6A0gUjn5MpJAUgXayYRDJIHIJ1CanbSkHWdDgA6/g+43L/MfSz17FvjAqduZfvSg87+IHDqbNCg3hA0IXAqcHZXoKCgoKCgoKCgoKCgoKCgoKCgBF60ZDhFj6zZ0PYCKAlFip+9RCz/u9MKRjySYhTCsdOiYf7yFP+CiUdarGDorFhMDu+mwC8YM+xmnptYJBEKXSQmhxUaycUuEQ+zmU97hVDo5HDj89JHmrqA6L7pkSKRiBwaJykiH1vZB6/qJNfuaVE/XCgpJLpPIqLksLCwpqFR6ZN9Jz7s8I9uqF1snP+kRcmP5gqK/rBUOTs1Gk2JgUuR5L/j9UFdbc0q0vpNndRfbNFojPVxfKfxtPY+wMtQx5cYRIJOnYmPNgTrkrpqtCjFJpU+NhZlqdInx+6w5iG639QT3eteiqgqTCVzlqEG4uRYdIe7CtcaT1LHZxlEQk6d1FpKDHHqqg5DolVpa9udaTTabd35iVaTQ5PnP3VSHx+NX5iGzfp4jca0S1VrNtqjDWQa6gqb43Y4lOb6fI4u4NTF6ipHXUVYk3pWS9buKmO9S9OdY8mq2VlnSHQ8LXV97Xj8zk6tTSxIpeKjd6ebo6rdKf1Ju/Irs3YYx5WhvpQp7NSxvX8nCmlrmrEtNrGgu6HuTxENHTOsbUW6nU9JXayvXc+5SJE+eVk6oneJy5JS0gq3ilVspbk+tsq4VfCp65Pj1GxZeperxaRUajY3dGL6JLSe83S/qad3qdDDnKacdKVGg+jr4hC9CtFJdaYGLcm8VejruirG3R0nYjJLXAX1xVp9fiZH/4klryjG6j91UqyvNKeSZE7t+srCKKrSS08s3KrSN1WW1LBazzAn5NSpzLr6psSWdU2WLEOmN/UaV129y/7UEb4/qcSQHG9ORUHPSIqu4en9Seti46MvWttiLdGGeKGv66TW5VCa8mryYyxohH/J1YHoeVGzGux1nRVFpP/tujjGqlTWZWtzLEpzhfFK+q64MktKnM6Kho386hY8wmfmCTx1UqxiKIrBW3iKEqEHeAJJqiiGEfm81R/6bo5rpsXNGIYh1Qz6SStWqSlGxE3jFyXsEZ4cvIs1eALpP/Un7qA9eVlCfQ//bHtjT3gP/6QdtEGPhLnn5psN+ayHaSTfu1dOPrkPCCl1ZmSpkyNOnRQMXUEOM3XuABNNjTB11GkEc4CKoHySeobMRfxhRYnoe0L3lzopHDlBsGiP+pmL8XZXmhpOM2+JKCHJoaCg/r/rv8kQ10kJnkObAAAAAElFTkSuQmCC|thumb|none|250x262px]]

Here's the component, its template and styles:

:host {
  position: relative; bottom: 10%;
}
<h3>Contact Crisis Center</h3>
<div *ngIf="details">
  {{ details }}
</div>
<div>
  <div>
    <label>Message: </label>
  </div>
  <div>
    <textarea [(ngModel)]="message" rows="10" cols="35" [disabled]="sending"></textarea>
  </div>
</div>
<p *ngIf="!sending">
  <button (click)="send()">Send</button>
  <button (click)="cancel()">Cancel</button>
</p>
import { Component, HostBinding } from '@angular/core';
import { Router }                 from '@angular/router';

@Component({
  selector: 'app-compose-message',
  templateUrl: './compose-message.component.html',
  styleUrls: ['./compose-message.component.css']
})
export class ComposeMessageComponent {
  details: string;
  message: string;
  sending = false;

  constructor(private router: Router) {}

  send() {
    this.sending = true;
    this.details = 'Sending Message...';

    setTimeout(() => {
      this.sending = false;
      this.closePopup();
    }, 1000);
  }

  cancel() {
    this.closePopup();
  }

  closePopup() {
    // Providing a `null` value to the named outlet
    // clears the contents of the named outlet
    this.router.navigate([{ outlets: { popup: null }}]);
  }
}

It looks about the same as any other component you've seen in this guide. There are two noteworthy differences.

Note that the send() method simulates latency by waiting a second before "sending" the message and closing the popup.

The closePopup() method closes the popup view by navigating to the popup outlet with a null. That's a peculiarity covered below.

Add a secondary route

Open the AppRoutingModule and add a new compose route to the appRoutes.

{
  path: 'compose',
  component: ComposeMessageComponent,
  outlet: 'popup'
},

The path and component properties should be familiar. There's a new property, outlet, set to 'popup'. This route now targets the popup outlet and the ComposeMessageComponent will display there.

The user needs a way to open the popup. Open the AppComponent and add a "Contact" link.

<a [routerLink]="[{ outlets: { popup: ['compose'] } }]">Contact</a>

Although the compose route is pinned to the "popup" outlet, that's not sufficient for wiring the route to a RouterLink directive. You have to specify the named outlet in a link parameters array and bind it to the RouterLink with a property binding.

The link parameters array contains an object with a single outlets property whose value is another object keyed by one (or more) outlet names. In this case there is only the "popup" outlet property and its value is another link parameters array that specifies the compose route.

You are in effect saying, when the user clicks this link, display the component associated with the compose route in the popup outlet.

This outlets object within an outer object was completely unnecessary when there was only one route and one unnamed outlet to think about.

The router assumed that your route specification targeted the unnamed primary outlet and created these objects for you.

Routing to a named outlet has revealed a previously hidden router truth: you can target multiple outlets with multiple routes in the same RouterLink directive.

You're not actually doing that here. But to target a named outlet, you must use the richer, more verbose syntax.

Secondary route navigation: merging routes during navigation

Navigate to the Crisis Center and click "Contact". you should see something like the following URL in the browser address bar.

http://.../crisis-center(popup:compose)

The interesting part of the URL follows the ...:

  • The crisis-center is the primary navigation.
  • Parentheses surround the secondary route.
  • The secondary route consists of an outlet name (popup), a colon separator, and the secondary route path (compose).

Click the Heroes link and look at the URL again.

http://.../heroes(popup:compose)

The primary navigation part has changed; the secondary route is the same.

The router is keeping track of two separate branches in a navigation tree and generating a representation of that tree in the URL.

You can add many more outlets and routes, at the top level and in nested levels, creating a navigation tree with many branches. The router will generate the URL to go with it.

You can tell the router to navigate an entire tree at once by filling out the outlets object mentioned above. Then pass that object inside a link parameters array to the router.navigate method.

Experiment with these possibilities at your leisure.

Clearing secondary routes

As you've learned, a component in an outlet persists until you navigate away to a new component. Secondary outlets are no different in this regard.

Each secondary outlet has its own navigation, independent of the navigation driving the primary outlet. Changing a current route that displays in the primary outlet has no effect on the popup outlet. That's why the popup stays visible as you navigate among the crises and heroes.

Clicking the "send" or "cancel" buttons does clear the popup view. To see how, look at the closePopup() method again:

closePopup() {
  // Providing a `null` value to the named outlet
  // clears the contents of the named outlet
  this.router.navigate([{ outlets: { popup: null }}]);
}

It navigates imperatively with the Router.navigate() method, passing in a link parameters array.

Like the array bound to the Contact RouterLink in the AppComponent, this one includes an object with an outlets property. The outlets property value is another object with outlet names for keys. The only named outlet is 'popup'.

This time, the value of 'popup' is null. That's not a route, but it is a legitimate value. Setting the popup RouterOutlet to null clears the outlet and removes the secondary popup route from the current URL.

Milestone 5: Route guards

At the moment, any user can navigate anywhere in the application anytime. That's not always the right thing to do.

  • Perhaps the user is not authorized to navigate to the target component.
  • Maybe the user must login (authenticate) first.
  • Maybe you should fetch some data before you display the target component.
  • You might want to save pending changes before leaving a component.
  • You might ask the user if it's OK to discard pending changes rather than save them.

You add guards to the route configuration to handle these scenarios.

A guard's return value controls the router's behavior:

  • If it returns true, the navigation process continues.
  • If it returns false, the navigation process stops and the user stays put.
  • If it returns a UrlTree, the current navigation cancels and a new navigation is initiated to the UrlTree returned.

Note: The guard can also tell the router to navigate elsewhere, effectively canceling the current navigation. When doing so inside a guard, the guard should return false;

The guard might return its boolean answer synchronously. But in many cases, the guard can't produce an answer synchronously. The guard could ask the user a question, save changes to the server, or fetch fresh data. These are all asynchronous operations.

Accordingly, a routing guard can return an Observable<boolean> or a Promise<boolean> and the router will wait for the observable to resolve to true or false.

Note: The observable provided to the Router must also complete. If the observable does not complete, the navigation will not continue.

The router supports multiple guard interfaces:

  • CanActivate to mediate navigation to a route.
  • CanActivateChild to mediate navigation to a child route.
  • CanDeactivate to mediate navigation away from the current route.
  • Resolve to perform route data retrieval before route activation.
  • CanLoad to mediate navigation to a feature module loaded asynchronously.

You can have 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. If the feature module is loaded asynchronously, the CanLoad guard is checked before the module is loaded. If any guard returns false, pending guards that have not completed will be canceled, and the entire navigation is canceled.

There are several examples over the next few sections.

CanActivate: requiring authentication

Applications often restrict access to a feature area based on who the user is. You could permit access only to authenticated users or to users with a specific role. You might block or limit access until the user's account is activated.

The CanActivate guard is the tool to manage these navigation business rules.

Add an admin feature module

In this next section, you'll extend the crisis center with some new administrative features. Those features aren't defined yet. But you can start by adding a new feature module named AdminModule.

Generate an admin folder with a feature module file and a routing configuration file.

ng generate module admin --routing

Next, generate the supporting components.

ng generate component admin/admin-dashboard
ng generate component admin/admin
ng generate component admin/manage-crises
ng generate component admin/manage-heroes

The admin feature file structure looks like this:

src/app/admin
  admin
    admin.component.css
    admin.component.html
    admin.component.ts
  admin-dashboard
    admin-dashboard.component.css
    admin-dashboard.component.html
    admin-dashboard.component.ts
  manage-crises
    manage-crises.component.css
    manage-crises.component.html
    manage-crises.component.ts
  manage-heroes
    manage-heroes.component.css
    manage-heroes.component.html
    manage-heroes.component.ts
  admin.module.ts
  admin-routing.module.ts

The admin feature module contains the AdminComponent used for routing within the feature module, a dashboard route and two unfinished components to manage crises and heroes.

<h3>ADMIN</h3>
<nav>
  <a routerLink="./" routerLinkActive="active"
    [routerLinkActiveOptions]="{ exact: true }">Dashboard</a>
  <a routerLink="./crises" routerLinkActive="active">Manage Crises</a>
  <a routerLink="./heroes" routerLinkActive="active">Manage Heroes</a>
</nav>
<router-outlet></router-outlet>
<p>Dashboard</p>
import { NgModule }       from '@angular/core';
import { CommonModule }   from '@angular/common';

import { AdminComponent }           from './admin/admin.component';
import { AdminDashboardComponent }  from './admin-dashboard/admin-dashboard.component';
import { ManageCrisesComponent }    from './manage-crises/manage-crises.component';
import { ManageHeroesComponent }    from './manage-heroes/manage-heroes.component';

import { AdminRoutingModule }       from './admin-routing.module';

@NgModule({
  imports: [
    CommonModule,
    AdminRoutingModule
  ],
  declarations: [
    AdminComponent,
    AdminDashboardComponent,
    ManageCrisesComponent,
    ManageHeroesComponent
  ]
})
export class AdminModule {}
<p>Manage your crises here</p>
<p>Manage your heroes here</p>

Although the admin dashboard RouterLink only contains a relative slash without an additional URL segment, it is considered a match to any route within the admin feature area. You only want the Dashboard link to be active when the user visits that route. Adding an additional binding to the Dashboard routerLink,[routerLinkActiveOptions]="{ exact: true }", marks the ./ link as active when the user navigates to the /admin URL and not when navigating to any of the child routes.

Component-less route: grouping routes without a component

The initial admin routing configuration:

const adminRoutes: Routes = [
  {
    path: 'admin',
    component: AdminComponent,
    children: [
      {
        path: '',
        children: [
          { path: 'crises', component: ManageCrisesComponent },
          { path: 'heroes', component: ManageHeroesComponent },
          { path: '', component: AdminDashboardComponent }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(adminRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class AdminRoutingModule {}

Looking at the child route under the AdminComponent, there is a path and a children property but it's not using a component. You haven't made a mistake in the configuration. You've defined a component-less route.

The goal is to group the Crisis Center management routes under the admin path. You don't need a component to do it. A component-less route makes it easier to guard child routes.

Next, import the AdminModule into app.module.ts and add it to the imports array to register the admin routes.

import { NgModule }       from '@angular/core';
import { CommonModule }   from '@angular/common';
import { FormsModule }    from '@angular/forms';

import { AppComponent }            from './app.component';
import { PageNotFoundComponent }   from './page-not-found/page-not-found.component';
import { ComposeMessageComponent } from './compose-message/compose-message.component';

import { AppRoutingModule }        from './app-routing.module';
import { HeroesModule }            from './heroes/heroes.module';
import { CrisisCenterModule }      from './crisis-center/crisis-center.module';

import { AdminModule }             from './admin/admin.module';

@NgModule({
  imports: [
    CommonModule,
    FormsModule,
    HeroesModule,
    CrisisCenterModule,
    AdminModule,
    AppRoutingModule
  ],
  declarations: [
    AppComponent,
    ComposeMessageComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }

Add an "Admin" link to the AppComponent shell so that users can get to this feature.

<h1 class="title">Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/heroes" routerLinkActive="active">Heroes</a>
  <a routerLink="/admin" routerLinkActive="active">Admin</a>
  <a [routerLink]="[{ outlets: { popup: ['compose'] } }]">Contact</a>
</nav>
<div [@routeAnimation]="getAnimationData(routerOutlet)">
  <router-outlet #routerOutlet="outlet"></router-outlet>
</div>
<router-outlet name="popup"></router-outlet>

Guard the admin feature

Currently every route within the Crisis Center is open to everyone. The new admin feature should be accessible only to authenticated users.

You could hide the link until the user logs in. But that's tricky and difficult to maintain.

Instead you'll write a canActivate() guard method to redirect anonymous users to the login page when they try to enter the admin area.

This is a general purpose guard—you can imagine other features that require authenticated users—so you generate an AuthGuard in the auth folder.

ng generate guard auth/auth

At the moment you're interested in seeing how guards work so the first version does nothing useful. It simply logs to console and returns true immediately, allowing navigation to proceed:

import { Injectable } from '@angular/core';
import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot } from '@angular/router';

@Injectable({
  providedIn: 'root',
})
export class AuthGuard implements CanActivate {
  canActivate(
    next: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): boolean {
    console.log('AuthGuard#canActivate called');
    return true;
  }
}

Next, open admin-routing.module.ts, import the AuthGuard class, and update the admin route with a canActivate guard property that references it:

import { AuthGuard }                from '../auth/auth.guard';

const adminRoutes: Routes = [
  {
    path: 'admin',
    component: AdminComponent,
    canActivate: [AuthGuard],
    children: [
      {
        path: '',
        children: [
          { path: 'crises', component: ManageCrisesComponent },
          { path: 'heroes', component: ManageHeroesComponent },
          { path: '', component: AdminDashboardComponent }
        ],
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(adminRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class AdminRoutingModule {}

The admin feature is now protected by the guard, albeit protected poorly.

Teach AuthGuard to authenticate

Make the AuthGuard at least pretend to authenticate.

The AuthGuard should call an application service that can login a user and retain information about the current user. Generate a new AuthService in the auth folder:

ng generate service auth/auth

Update the AuthService to log in the user:

import { Injectable } from '@angular/core';

import { Observable, of } from 'rxjs';
import { tap, delay } from 'rxjs/operators';

@Injectable({
  providedIn: 'root',
})
export class AuthService {
  isLoggedIn = false;

  // store the URL so we can redirect after logging in
  redirectUrl: string;

  login(): Observable<boolean> {
    return of(true).pipe(
      delay(1000),
      tap(val => this.isLoggedIn = true)
    );
  }

  logout(): void {
    this.isLoggedIn = false;
  }
}

Although it doesn't actually log in, it has what you need for this discussion. It has an isLoggedIn flag to tell you whether the user is authenticated. Its login method simulates an API call to an external service by returning an observable that resolves successfully after a short pause. The redirectUrl property will store the attempted URL so you can navigate to it after authenticating.

Revise the AuthGuard to call it.

import { Injectable } from '@angular/core';
import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot, Router } from '@angular/router';

import { AuthService }      from './auth.service';

@Injectable({
  providedIn: 'root',
})
export class AuthGuard implements CanActivate {
  constructor(private authService: AuthService, private router: Router) {}

  canActivate(
    next: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): boolean {
    let url: string = state.url;

    return this.checkLogin(url);
  }

  checkLogin(url: string): boolean {
    if (this.authService.isLoggedIn) { return true; }

    // Store the attempted URL for redirecting
    this.authService.redirectUrl = url;

    // Navigate to the login page with extras
    this.router.navigate(['/login']);
    return false;
  }
}

Notice that you inject the AuthService and the Router in the constructor. You haven't provided the AuthService yet but it's good to know that you can inject helpful services into routing guards.

This guard returns a synchronous boolean result. If the user is logged in, it returns true and the navigation continues.

The ActivatedRouteSnapshot contains the future route that will be activated and the RouterStateSnapshot contains the future RouterState of the application, should you pass through the guard check.

If the user is not logged in, you store the attempted URL the user came from using the RouterStateSnapshot.url and tell the router to navigate to a login page—a page you haven't created yet. This secondary navigation automatically cancels the current navigation; checkLogin() returns false just to be clear about that.

Add the LoginComponent

You need a LoginComponent for the user to log in to the app. After logging in, you'll redirect to the stored URL if available, or use the default URL. There is nothing new about this component or the way you wire it into the router configuration.

ng generate component auth/login

Register a /login route in the auth/auth-routing.module.ts. In app.module.ts, import and add the AuthModule to the AppModule imports.

import { NgModule }       from '@angular/core';
import { BrowserModule }  from '@angular/platform-browser';
import { FormsModule }    from '@angular/forms';
import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { AppComponent }            from './app.component';
import { PageNotFoundComponent }   from './page-not-found/page-not-found.component';
import { ComposeMessageComponent } from './compose-message/compose-message.component';

import { AppRoutingModule }        from './app-routing.module';
import { HeroesModule }            from './heroes/heroes.module';
import { AuthModule }              from './auth/auth.module';

@NgModule({
  imports: [
    BrowserModule,
    BrowserAnimationsModule,
    FormsModule,
    HeroesModule,
    AuthModule,
    AppRoutingModule,
  ],
  declarations: [
    AppComponent,
    ComposeMessageComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule {
}
<h2>LOGIN</h2>
<p>{{message}}</p>
<p>
  <button (click)="login()"  *ngIf="!authService.isLoggedIn">Login</button>
  <button (click)="logout()" *ngIf="authService.isLoggedIn">Logout</button>
</p>
import { Component }   from '@angular/core';
import { Router }      from '@angular/router';
import { AuthService } from '../auth.service';

@Component({
  selector: 'app-login',
  templateUrl: './login.component.html',
  styleUrls: ['./login.component.css']
})
export class LoginComponent {
  message: string;

  constructor(public authService: AuthService, public router: Router) {
    this.setMessage();
  }

  setMessage() {
    this.message = 'Logged ' + (this.authService.isLoggedIn ? 'in' : 'out');
  }

  login() {
    this.message = 'Trying to log in ...';

    this.authService.login().subscribe(() => {
      this.setMessage();
      if (this.authService.isLoggedIn) {
        // Get the redirect URL from our auth service
        // If no redirect has been set, use the default
        let redirect = this.authService.redirectUrl ? this.router.parseUrl(this.authService.redirectUrl) : '/admin';

        // Redirect the user
        this.router.navigateByUrl(redirect);
      }
    });
  }

  logout() {
    this.authService.logout();
    this.setMessage();
  }
}
import { NgModule }       from '@angular/core';
import { CommonModule }   from '@angular/common';
import { FormsModule }    from '@angular/forms';

import { LoginComponent }    from './login/login.component';
import { AuthRoutingModule } from './auth-routing.module';

@NgModule({
  imports: [
    CommonModule,
    FormsModule,
    AuthRoutingModule
  ],
  declarations: [
    LoginComponent
  ]
})
export class AuthModule {}

CanActivateChild: guarding child routes

You can also protect child routes with the CanActivateChild guard. The CanActivateChild guard is similar to the CanActivate guard. The key difference is that it runs before any child route is activated.

You protected the admin feature module from unauthorized access. You should also protect child routes within the feature module.

Extend the AuthGuard to protect when navigating between the admin routes. Open auth.guard.ts and add the CanActivateChild interface to the imported tokens from the router package.

Next, implement the canActivateChild() method which takes the same arguments as the canActivate() method: an ActivatedRouteSnapshot and RouterStateSnapshot. The canActivateChild() method can return an Observable<boolean> or Promise<boolean> for async checks and a boolean for sync checks. This one returns a boolean:

import { Injectable }       from '@angular/core';
import {
  CanActivate, Router,
  ActivatedRouteSnapshot,
  RouterStateSnapshot,
  CanActivateChild
}                           from '@angular/router';
import { AuthService }      from './auth.service';

@Injectable({
  providedIn: 'root',
})
export class AuthGuard implements CanActivate, CanActivateChild {
  constructor(private authService: AuthService, private router: Router) {}

  canActivate(
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): boolean {
    let url: string = state.url;

    return this.checkLogin(url);
  }

  canActivateChild(
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): boolean {
    return this.canActivate(route, state);
  }

/* . . . */
}

Add the same AuthGuard to the component-less admin route to protect all other child routes at one time instead of adding the AuthGuard to each route individually.

const adminRoutes: Routes = [
  {
    path: 'admin',
    component: AdminComponent,
    canActivate: [AuthGuard],
    children: [
      {
        path: '',
        canActivateChild: [AuthGuard],
        children: [
          { path: 'crises', component: ManageCrisesComponent },
          { path: 'heroes', component: ManageHeroesComponent },
          { path: '', component: AdminDashboardComponent }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(adminRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class AdminRoutingModule {}

CanDeactivate: handling unsaved changes

Back in the "Heroes" workflow, the app accepts every change to a hero immediately without hesitation or validation.

In the real world, you might have to accumulate the users changes. You might have to validate across fields. You might have to validate on the server. You might have to hold changes in a pending state until the user confirms them as a group or cancels and reverts all changes.

What do you do about unapproved, unsaved changes when the user navigates away? You can't just leave and risk losing the user's changes; that would be a terrible experience.

It's better to pause and let the user decide what to do. If the user cancels, you'll stay put and allow more changes. If the user approves, the app can save.

You still might delay navigation until the save succeeds. If you let the user move to the next screen immediately and the save were to fail (perhaps the data are ruled invalid), you would lose the context of the error.

You can't block while waiting for the server—that's not possible in a browser. You need to stop the navigation while you wait, asynchronously, for the server to return with its answer.

You need the CanDeactivate guard.

Cancel and save

The sample application doesn't talk to a server. Fortunately, you have another way to demonstrate an asynchronous router hook.

Users update crisis information in the CrisisDetailComponent. Unlike the HeroDetailComponent, the user changes do not update the crisis entity immediately. Instead, the app updates the entity when the user presses the Save button and discards the changes when the user presses the Cancel button.

Both buttons navigate back to the crisis list after save or cancel.

cancel() {
  this.gotoCrises();
}

save() {
  this.crisis.name = this.editName;
  this.gotoCrises();
}

What if the user tries to navigate away without saving or canceling? The user could push the browser back button or click the heroes link. Both actions trigger a navigation. Should the app save or cancel automatically?

This demo does neither. Instead, it asks the user to make that choice explicitly in a confirmation dialog box that waits asynchronously for the user's answer.

You could wait for the user's answer with synchronous, blocking code. The app will be more responsive—and can do other work—by waiting for the user's answer asynchronously. Waiting for the user asynchronously is like waiting for the server asynchronously.

Generate a Dialog service to handle user confirmation.

ng generate service dialog

Add a confirm() method to the DialogService to prompt the user to confirm their intent. The window.confirm is a blocking action that displays a modal dialog and waits for user interaction.

import { Injectable } from '@angular/core';
import { Observable, of } from 'rxjs';

/**
 * Async modal dialog service
 * DialogService makes this app easier to test by faking this service.
 * TODO: better modal implementation that doesn't use window.confirm
 */
@Injectable({
  providedIn: 'root',
})
export class DialogService {
  /**
   * Ask user to confirm an action. `message` explains the action and choices.
   * Returns observable resolving to `true`=confirm or `false`=cancel
   */
  confirm(message?: string): Observable<boolean> {
    const confirmation = window.confirm(message || 'Is it OK?');

    return of(confirmation);
  };
}

It returns an Observable that resolves when the user eventually decides what to do: either to discard changes and navigate away (true) or to preserve the pending changes and stay in the crisis editor (false).

Generate a guard that checks for the presence of a canDeactivate() method in a component—any component.

ng generate guard can-deactivate

The CrisisDetailComponent will have this method. But the guard doesn't have to know that. The guard shouldn't know the details of any component's deactivation method. It need only detect that the component has a canDeactivate() method and call it. This approach makes the guard reusable.

import { Injectable }    from '@angular/core';
import { CanDeactivate } from '@angular/router';
import { Observable }    from 'rxjs';

export interface CanComponentDeactivate {
 canDeactivate: () => Observable<boolean> | Promise<boolean> | boolean;
}

@Injectable({
  providedIn: 'root',
})
export class CanDeactivateGuard implements CanDeactivate<CanComponentDeactivate> {
  canDeactivate(component: CanComponentDeactivate) {
    return component.canDeactivate ? component.canDeactivate() : true;
  }
}

Alternatively, you could make a component-specific CanDeactivate guard for the CrisisDetailComponent. The canDeactivate() method provides you with the current instance of the component, the current ActivatedRoute, and RouterStateSnapshot in case you needed to access some external information. This would be useful if you only wanted to use this guard for this component and needed to get the component's properties or confirm whether the router should allow navigation away from it.

import { Injectable }           from '@angular/core';
import { Observable }           from 'rxjs';
import { CanDeactivate,
         ActivatedRouteSnapshot,
         RouterStateSnapshot }  from '@angular/router';

import { CrisisDetailComponent } from './crisis-center/crisis-detail/crisis-detail.component';

@Injectable({
  providedIn: 'root',
})
export class CanDeactivateGuard implements CanDeactivate<CrisisDetailComponent> {

  canDeactivate(
    component: CrisisDetailComponent,
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot
  ): Observable<boolean> | boolean {
    // Get the Crisis Center ID
    console.log(route.paramMap.get('id'));

    // Get the current URL
    console.log(state.url);

    // Allow synchronous navigation (`true`) if no crisis or the crisis is unchanged
    if (!component.crisis || component.crisis.name === component.editName) {
      return true;
    }
    // Otherwise ask the user with the dialog service and return its
    // observable which resolves to true or false when the user decides
    return component.dialogService.confirm('Discard changes?');
  }
}

Looking back at the CrisisDetailComponent, it implements the confirmation workflow for unsaved changes.

canDeactivate(): Observable<boolean> | boolean {
  // Allow synchronous navigation (`true`) if no crisis or the crisis is unchanged
  if (!this.crisis || this.crisis.name === this.editName) {
    return true;
  }
  // Otherwise ask the user with the dialog service and return its
  // observable which resolves to true or false when the user decides
  return this.dialogService.confirm('Discard changes?');
}

Notice that the canDeactivate() method can return synchronously; it returns true immediately if there is no crisis or there are no pending changes. But it can also return a Promise or an Observable and the router will wait for that to resolve to truthy (navigate) or falsy (stay put).

Add the Guard to the crisis detail route in crisis-center-routing.module.ts using the canDeactivate array property.

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { CrisisCenterHomeComponent } from './crisis-center-home/crisis-center-home.component';
import { CrisisListComponent }       from './crisis-list/crisis-list.component';
import { CrisisCenterComponent }     from './crisis-center/crisis-center.component';
import { CrisisDetailComponent }     from './crisis-detail/crisis-detail.component';

import { CanDeactivateGuard }    from '../can-deactivate.guard';

const crisisCenterRoutes: Routes = [
  {
    path: 'crisis-center',
    component: CrisisCenterComponent,
    children: [
      {
        path: '',
        component: CrisisListComponent,
        children: [
          {
            path: ':id',
            component: CrisisDetailComponent,
            canDeactivate: [CanDeactivateGuard]
          },
          {
            path: '',
            component: CrisisCenterHomeComponent
          }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(crisisCenterRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class CrisisCenterRoutingModule { }

Now you have given the user a safeguard against unsaved changes.

Resolve: pre-fetching component data

In the Hero Detail and Crisis Detail, the app waited until the route was activated to fetch the respective hero or crisis.

This worked well, but there's a better way. If you were using a real world API, there might be some delay before the data to display is returned from the server. You don't want to display a blank component while waiting for the data.

It's preferable to pre-fetch data from the server so it's ready the moment the route is activated. This also allows you to handle errors before routing to the component. There's no point in navigating to a crisis detail for an id that doesn't have a record. It'd be better to send the user back to the Crisis List that shows only valid crisis centers.

In summary, you want to delay rendering the routed component until all necessary data have been fetched.

You need a resolver.

Fetch data before navigating

At the moment, the CrisisDetailComponent retrieves the selected crisis. If the crisis is not found, it navigates back to the crisis list view.

The experience might be better if all of this were handled first, before the route is activated. A CrisisDetailResolver service could retrieve a Crisis or navigate away if the Crisis does not exist before activating the route and creating the CrisisDetailComponent.

Generate a CrisisDetailResolver service file within the Crisis Center feature area.

ng generate service crisis-center/crisis-detail-resolver
import { Injectable } from '@angular/core';

@Injectable({
  providedIn: 'root',
})
export class CrisisDetailResolverService {

  constructor() { }

}

Take the relevant parts of the crisis retrieval logic in CrisisDetailComponent.ngOnInit and move them into the CrisisDetailResolverService. Import the Crisis model, CrisisService, and the Router so you can navigate elsewhere if you can't fetch the crisis.

Be explicit. Implement the Resolve interface with a type of Crisis.

Inject the CrisisService and Router and implement the resolve() method. That method could return a Promise, an Observable, or a synchronous return value.

The CrisisService.getCrisis method returns an observable, in order to prevent the route from loading until the data is fetched. The Router guards require an observable to complete, meaning it has emitted all of its values. You use the take operator with an argument of 1 to ensure that the Observable completes after retrieving the first value from the Observable returned by the getCrisis method.

If it doesn't return a valid Crisis, return an empty Observable, canceling the previous in-flight navigation to the CrisisDetailComponent and navigate the user back to the CrisisListComponent. The update resolver service looks like this:

import { Injectable }             from '@angular/core';
import {
  Router, Resolve,
  RouterStateSnapshot,
  ActivatedRouteSnapshot
}                                 from '@angular/router';
import { Observable, of, EMPTY }  from 'rxjs';
import { mergeMap, take }         from 'rxjs/operators';

import { CrisisService }  from './crisis.service';
import { Crisis } from './crisis';

@Injectable({
  providedIn: 'root',
})
export class CrisisDetailResolverService implements Resolve<Crisis> {
  constructor(private cs: CrisisService, private router: Router) {}

  resolve(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): Observable<Crisis> | Observable<never> {
    let id = route.paramMap.get('id');

    return this.cs.getCrisis(id).pipe(
      take(1),
      mergeMap(crisis => {
        if (crisis) {
          return of(crisis);
        } else { // id not found
          this.router.navigate(['/crisis-center']);
          return EMPTY;
        }
      })
    );
  }
}

Import this resolver in the crisis-center-routing.module.ts and add a resolve object to the CrisisDetailComponent route configuration.

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { CrisisCenterHomeComponent } from './crisis-center-home/crisis-center-home.component';
import { CrisisListComponent }       from './crisis-list/crisis-list.component';
import { CrisisCenterComponent }     from './crisis-center/crisis-center.component';
import { CrisisDetailComponent }     from './crisis-detail/crisis-detail.component';

import { CanDeactivateGuard }             from '../can-deactivate.guard';
import { CrisisDetailResolverService }    from './crisis-detail-resolver.service';

const crisisCenterRoutes: Routes = [
  {
    path: 'crisis-center',
    component: CrisisCenterComponent,
    children: [
      {
        path: '',
        component: CrisisListComponent,
        children: [
          {
            path: ':id',
            component: CrisisDetailComponent,
            canDeactivate: [CanDeactivateGuard],
            resolve: {
              crisis: CrisisDetailResolverService
            }
          },
          {
            path: '',
            component: CrisisCenterHomeComponent
          }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(crisisCenterRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class CrisisCenterRoutingModule { }

The CrisisDetailComponent should no longer fetch the crisis. Update the CrisisDetailComponent to get the crisis from the ActivatedRoute.data.crisis property instead; that's where you said it should be when you re-configured the route. It will be there when the CrisisDetailComponent ask for it.

ngOnInit() {
  this.route.data
    .subscribe((data: { crisis: Crisis }) => {
      this.editName = data.crisis.name;
      this.crisis = data.crisis;
    });
}

Two critical points

  1. The router's Resolve interface is optional. The CrisisDetailResolverService doesn't inherit from a base class. The router looks for that method and calls it if found.
  2. Rely on the router to call the resolver. Don't worry about all the ways that the user could navigate away. That's the router's job. Write this class and let the router take it from there.

The relevant Crisis Center code for this milestone follows.

<h1 class="title">Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/superheroes" routerLinkActive="active">Heroes</a>
  <a routerLink="/admin" routerLinkActive="active">Admin</a>
  <a routerLink="/login" routerLinkActive="active">Login</a>
  <a [routerLink]="[{ outlets: { popup: ['compose'] } }]">Contact</a>
</nav>
<div [@routeAnimation]="getAnimationData(routerOutlet)">
  <router-outlet #routerOutlet="outlet"></router-outlet>
</div>
<router-outlet name="popup"></router-outlet>
<p>Welcome to the Crisis Center</p>
<h2>CRISIS CENTER</h2>
<router-outlet></router-outlet>
import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { CrisisCenterHomeComponent } from './crisis-center-home/crisis-center-home.component';
import { CrisisListComponent }       from './crisis-list/crisis-list.component';
import { CrisisCenterComponent }     from './crisis-center/crisis-center.component';
import { CrisisDetailComponent }     from './crisis-detail/crisis-detail.component';

import { CanDeactivateGuard }             from '../can-deactivate.guard';
import { CrisisDetailResolverService }    from './crisis-detail-resolver.service';

const crisisCenterRoutes: Routes = [
  {
    path: 'crisis-center',
    component: CrisisCenterComponent,
    children: [
      {
        path: '',
        component: CrisisListComponent,
        children: [
          {
            path: ':id',
            component: CrisisDetailComponent,
            canDeactivate: [CanDeactivateGuard],
            resolve: {
              crisis: CrisisDetailResolverService
            }
          },
          {
            path: '',
            component: CrisisCenterHomeComponent
          }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(crisisCenterRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class CrisisCenterRoutingModule { }
<ul class="crises">
  <li *ngFor="let crisis of crises$ | async"
    [class.selected]="crisis.id === selectedId">
    <a [routerLink]="[crisis.id]">
      <span class="badge">{{ crisis.id }}</span>{{ crisis.name }}
    </a>
  </li>
</ul>

<router-outlet></router-outlet>
import { Component, OnInit }  from '@angular/core';
import { ActivatedRoute }     from '@angular/router';

import { CrisisService }  from '../crisis.service';
import { Crisis }         from '../crisis';
import { Observable }     from 'rxjs';
import { switchMap }      from 'rxjs/operators';

@Component({
  selector: 'app-crisis-list',
  templateUrl: './crisis-list.component.html',
  styleUrls: ['./crisis-list.component.css']
})
export class CrisisListComponent implements OnInit {
  crises$: Observable<Crisis[]>;
  selectedId: number;

  constructor(
    private service: CrisisService,
    private route: ActivatedRoute
  ) {}

  ngOnInit() {
    this.crises$ = this.route.paramMap.pipe(
      switchMap(params => {
        this.selectedId = +params.get('id');
        return this.service.getCrises();
      })
    );
  }
}
<div *ngIf="crisis">
  <h3>"{{ editName }}"</h3>
  <div>
    <label>Id: </label>{{ crisis.id }}</div>
  <div>
    <label>Name: </label>
    <input [(ngModel)]="editName" placeholder="name"/>
  </div>
  <p>
    <button (click)="save()">Save</button>
    <button (click)="cancel()">Cancel</button>
  </p>
</div>
import { Component, OnInit, HostBinding } from '@angular/core';
import { ActivatedRoute, Router } from '@angular/router';
import { Observable } from 'rxjs';

import { Crisis }         from '../crisis';
import { DialogService }  from '../../dialog.service';

@Component({
  selector: 'app-crisis-detail',
  templateUrl: './crisis-detail.component.html',
  styleUrls: ['./crisis-detail.component.css']
})
export class CrisisDetailComponent implements OnInit {
  crisis: Crisis;
  editName: string;

  constructor(
    private route: ActivatedRoute,
    private router: Router,
    public dialogService: DialogService
  ) {}

  ngOnInit() {
    this.route.data
      .subscribe((data: { crisis: Crisis }) => {
        this.editName = data.crisis.name;
        this.crisis = data.crisis;
      });
  }

  cancel() {
    this.gotoCrises();
  }

  save() {
    this.crisis.name = this.editName;
    this.gotoCrises();
  }

  canDeactivate(): Observable<boolean> | boolean {
    // Allow synchronous navigation (`true`) if no crisis or the crisis is unchanged
    if (!this.crisis || this.crisis.name === this.editName) {
      return true;
    }
    // Otherwise ask the user with the dialog service and return its
    // observable which resolves to true or false when the user decides
    return this.dialogService.confirm('Discard changes?');
  }

  gotoCrises() {
    let crisisId = this.crisis ? this.crisis.id : null;
    // Pass along the crisis id if available
    // so that the CrisisListComponent can select that crisis.
    // Add a totally useless `foo` parameter for kicks.
    // Relative navigation back to the crises
    this.router.navigate(['../', { id: crisisId, foo: 'foo' }], { relativeTo: this.route });
  }
}
import { Injectable }             from '@angular/core';
import {
  Router, Resolve,
  RouterStateSnapshot,
  ActivatedRouteSnapshot
}                                 from '@angular/router';
import { Observable, of, EMPTY }  from 'rxjs';
import { mergeMap, take }         from 'rxjs/operators';

import { CrisisService }  from './crisis.service';
import { Crisis } from './crisis';

@Injectable({
  providedIn: 'root',
})
export class CrisisDetailResolverService implements Resolve<Crisis> {
  constructor(private cs: CrisisService, private router: Router) {}

  resolve(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): Observable<Crisis> | Observable<never> {
    let id = route.paramMap.get('id');

    return this.cs.getCrisis(id).pipe(
      take(1),
      mergeMap(crisis => {
        if (crisis) {
          return of(crisis);
        } else { // id not found
          this.router.navigate(['/crisis-center']);
          return EMPTY;
        }
      })
    );
  }
}
import { BehaviorSubject } from 'rxjs';
import { map } from 'rxjs/operators';

import { Injectable } from '@angular/core';
import { MessageService } from '../message.service';
import { Crisis } from './crisis';
import { CRISES } from './mock-crises';

@Injectable({
  providedIn: 'root',
})
export class CrisisService {
  static nextCrisisId = 100;
  private crises$: BehaviorSubject<Crisis[]> = new BehaviorSubject<Crisis[]>(CRISES);

  constructor(private messageService: MessageService) { }

  getCrises() { return this.crises$; }

  getCrisis(id: number | string) {
    return this.getCrises().pipe(
      map(crises => crises.find(crisis => crisis.id === +id))
    );
  }

}
import { Injectable } from '@angular/core';
import { Observable, of } from 'rxjs';

/**
 * Async modal dialog service
 * DialogService makes this app easier to test by faking this service.
 * TODO: better modal implementation that doesn't use window.confirm
 */
@Injectable({
  providedIn: 'root',
})
export class DialogService {
  /**
   * Ask user to confirm an action. `message` explains the action and choices.
   * Returns observable resolving to `true`=confirm or `false`=cancel
   */
  confirm(message?: string): Observable<boolean> {
    const confirmation = window.confirm(message || 'Is it OK?');

    return of(confirmation);
  };
}

Guards

import { Injectable }       from '@angular/core';
import {
  CanActivate, Router,
  ActivatedRouteSnapshot,
  RouterStateSnapshot,
  CanActivateChild
}                           from '@angular/router';
import { AuthService }      from './auth.service';

@Injectable({
  providedIn: 'root',
})
export class AuthGuard implements CanActivate, CanActivateChild {
  constructor(private authService: AuthService, private router: Router) {}

  canActivate(
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): boolean {
    let url: string = state.url;

    return this.checkLogin(url);
  }

  canActivateChild(
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): boolean {
    return this.canActivate(route, state);
  }

  checkLogin(url: string): boolean {
    if (this.authService.isLoggedIn) { return true; }

    // Store the attempted URL for redirecting
    this.authService.redirectUrl = url;

    // Navigate to the login page
    this.router.navigate(['/login']);
    return false;
  }
}
import { Injectable }    from '@angular/core';
import { CanDeactivate } from '@angular/router';
import { Observable }    from 'rxjs';

export interface CanComponentDeactivate {
 canDeactivate: () => Observable<boolean> | Promise<boolean> | boolean;
}

@Injectable({
  providedIn: 'root',
})
export class CanDeactivateGuard implements CanDeactivate<CanComponentDeactivate> {
  canDeactivate(component: CanComponentDeactivate) {
    return component.canDeactivate ? component.canDeactivate() : true;
  }
}

Query parameters and fragments

In the route parameters example, you only dealt with parameters specific to the route, but what if you wanted optional parameters available to all routes? This is where query parameters come into play.

Fragments refer to certain elements on the page identified with an id attribute.

Update the AuthGuard to provide a session_id query that will remain after navigating to another route.

Add an anchor element so you can jump to a certain point on the page.

Add the NavigationExtras object to the router.navigate() method that navigates you to the /login route.

import { Injectable }       from '@angular/core';
import {
  CanActivate, Router,
  ActivatedRouteSnapshot,
  RouterStateSnapshot,
  CanActivateChild,
  NavigationExtras
}                           from '@angular/router';
import { AuthService }      from './auth.service';

@Injectable({
  providedIn: 'root',
})
export class AuthGuard implements CanActivate, CanActivateChild {
  constructor(private authService: AuthService, private router: Router) {}

  canActivate(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): boolean {
    let url: string = state.url;

    return this.checkLogin(url);
  }

  canActivateChild(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): boolean {
    return this.canActivate(route, state);
  }

  checkLogin(url: string): boolean {
    if (this.authService.isLoggedIn) { return true; }

    // Store the attempted URL for redirecting
    this.authService.redirectUrl = url;

    // Create a dummy session id
    let sessionId = 123456789;

    // Set our navigation extras object
    // that contains our global query params and fragment
    let navigationExtras: NavigationExtras = {
      queryParams: { 'session_id': sessionId },
      fragment: 'anchor'
    };

    // Navigate to the login page with extras
    this.router.navigate(['/login'], navigationExtras);
    return false;
  }
}

You can also preserve query parameters and fragments across navigations without having to provide them again when navigating. In the LoginComponent, you'll add an object as the second argument in the router.navigateUrl() function and provide the queryParamsHandling and preserveFragment to pass along the current query parameters and fragment to the next route.

// Set our navigation extras object
// that passes on our global query params and fragment
let navigationExtras: NavigationExtras = {
  queryParamsHandling: 'preserve',
  preserveFragment: true
};

// Redirect the user
this.router.navigateByUrl(redirect, navigationExtras);

The queryParamsHandling feature also provides a merge option, which will preserve and combine the current query parameters with any provided query parameters when navigating.

As you'll be navigating to the Admin Dashboard route after logging in, you'll update it to handle the query parameters and fragment.

import { Component, OnInit }  from '@angular/core';
import { ActivatedRoute }     from '@angular/router';
import { Observable }         from 'rxjs';
import { map }                from 'rxjs/operators';

@Component({
  selector: 'app-admin-dashboard',
  templateUrl: './admin-dashboard.component.html',
  styleUrls: ['./admin-dashboard.component.css']
})
export class AdminDashboardComponent implements OnInit {
  sessionId: Observable<string>;
  token: Observable<string>;

  constructor(private route: ActivatedRoute) {}

  ngOnInit() {
    // Capture the session ID if available
    this.sessionId = this.route
      .queryParamMap
      .pipe(map(params => params.get('session_id') || 'None'));

    // Capture the fragment if available
    this.token = this.route
      .fragment
      .pipe(map(fragment => fragment || 'None'));
  }
}

Query parameters and fragments are also available through the ActivatedRoute service. Just like route parameters, the query parameters and fragments are provided as an Observable. The updated Crisis Admin component feeds the Observable directly into the template using the AsyncPipe.

Now, you can click on the Admin button, which takes you to the Login page with the provided queryParamMap and fragment. After you click the login button, notice that you have been redirected to the Admin Dashboard page with the query parameters and fragment still intact in the address bar.

You can use these persistent bits of information for things that need to be provided across pages like authentication tokens or session ids.

The query params and fragment can also be preserved using a RouterLink with the queryParamsHandling and preserveFragment bindings respectively.

Milestone 6: Asynchronous routing

As you've worked through the milestones, the application has naturally gotten larger. As you continue to build out feature areas, the overall application size will continue to grow. At some point you'll reach a tipping point where the application takes a long time to load.

How do you combat this problem? With asynchronous routing, which loads feature modules lazily, on request. Lazy loading has multiple benefits.

  • You can load feature areas only when requested by the user.
  • You can speed up load time for users that only visit certain areas of the application.
  • You can continue expanding lazy loaded feature areas without increasing the size of the initial load bundle.

You're already part of the way there. By organizing the application into modules—AppModule, HeroesModule, AdminModule and CrisisCenterModule—you have natural candidates for lazy loading.

Some modules, like AppModule, must be loaded from the start. But others can and should be lazy loaded. The AdminModule, for example, is needed by a few authorized users, so you should only load it when requested by the right people.

Lazy Loading route configuration

Change the admin path in the admin-routing.module.ts from 'admin' to an empty string, , the empty path.

The Router supports empty path routes; use them to group routes together without adding any additional path segments to the URL. Users will still visit /admin and the AdminComponent still serves as the Routing Component containing child routes.

Open the AppRoutingModule and add a new admin route to its appRoutes array.

Give it a loadChildren property instead of a children property. The loadChildren property takes a function that returns a promise using the browser's built-in syntax for lazy loading code using dynamic imports import('...'). The path is the location of the AdminModule (relative to the app root). After the code is requested and loaded, the Promise resolves an object that contains the NgModule, in this case the AdminModule.

{
  path: 'admin',
  loadChildren: () => import('./admin/admin.module').then(mod => mod.AdminModule),
},

Note: When using absolute paths, the NgModule file location must begin with src/app in order to resolve correctly. For custom path mapping with absolute paths, the baseUrl and paths properties in the project tsconfig.json must be configured.

When the router navigates to this route, it uses the loadChildren string to dynamically load the AdminModule. Then it adds the AdminModule routes to its current route configuration. Finally, it loads the requested route to the destination admin component.

The lazy loading and re-configuration happen just once, when the route is first requested; the module and routes are available immediately for subsequent requests.

Angular provides a built-in module loader that supports SystemJS to load modules asynchronously. If you were using another bundling tool, such as Webpack, you would use the Webpack mechanism for asynchronously loading modules.

Take the final step and detach the admin feature set from the main application. The root AppModule must neither load nor reference the AdminModule or its files.

In app.module.ts, remove the AdminModule import statement from the top of the file and remove the AdminModule from the NgModule's imports array.

CanLoad Guard: guarding unauthorized loading of feature modules

You're already protecting the AdminModule with a CanActivate guard that prevents unauthorized users from accessing the admin feature area. It redirects 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.

Add a CanLoad guard that only loads the AdminModule once the user is logged in and attempts to access the admin feature area.

The existing AuthGuard already has the essential logic in its checkLogin() method to support the CanLoad guard.

Open auth.guard.ts. Import the CanLoad interface from @angular/router. Add it to the AuthGuard class's implements list. Then implement canLoad() as follows:

canLoad(route: Route): boolean {
  let url = `/${route.path}`;

  return this.checkLogin(url);
}

The router sets the canLoad() method's route parameter to the intended destination URL. The checkLogin() method redirects to that URL once the user has logged in.

Now import the AuthGuard into the AppRoutingModule and add the AuthGuard to the canLoad array property for the admin route. The completed admin route looks like this:

{
  path: 'admin',
  loadChildren: () => import('./admin/admin.module').then(mod => mod.AdminModule),
  canLoad: [AuthGuard]
},

Preloading: background loading of feature areas

You've learned how to load modules on-demand. You can also load modules asynchronously with preloading.

This may seem like what the app has been doing all along. Not quite. The AppModule is loaded when the application starts; that's eager loading. Now the AdminModule loads only when the user clicks on a link; that's lazy loading.

Preloading is something in between. Consider the Crisis Center. It isn't the first view that a user sees. By default, the Heroes are the first view. For the smallest initial payload and fastest launch time, you should eagerly load the AppModule and the HeroesModule.

You could lazy load the Crisis Center. But you're almost certain that the user will visit the Crisis Center within minutes of launching the app. Ideally, the app would launch with just the AppModule and the HeroesModule loaded and then, almost immediately, load the CrisisCenterModule in the background. By the time the user navigates to the Crisis Center, its module will have been loaded and ready to go.

That's preloading.

How preloading works

After each successful navigation, the router looks in its configuration for an unloaded module that it can preload. Whether it preloads a module, and which modules it preloads, depends upon the preload strategy.

The Router offers two preloading strategies out of the box:

  • No preloading at all which is the default. Lazy loaded feature areas are still loaded on demand.
  • Preloading of all lazy loaded feature areas.

Out of the box, the router either never preloads, or preloads every lazy load module. The Router also supports custom preloading strategies for fine control over which modules to preload and when.

In this next section, you'll update the CrisisCenterModule to load lazily by default and use the PreloadAllModules strategy to load it (and all other lazy loaded modules) as soon as possible.

Lazy load the crisis center

Update the route configuration to lazy load the CrisisCenterModule. Take the same steps you used to configure AdminModule for lazy load.

  1. Change the crisis-center path in the CrisisCenterRoutingModule to an empty string.
  2. Add a crisis-center route to the AppRoutingModule.
  3. Set the loadChildren string to load the CrisisCenterModule.
  4. Remove all mention of the CrisisCenterModule from app.module.ts.

Here are the updated modules before enabling preload:

import { NgModule }       from '@angular/core';
import { BrowserModule }  from '@angular/platform-browser';
import { FormsModule }    from '@angular/forms';
import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { Router } from '@angular/router';

import { AppComponent }            from './app.component';
import { PageNotFoundComponent }   from './page-not-found/page-not-found.component';
import { ComposeMessageComponent } from './compose-message/compose-message.component';

import { AppRoutingModule }        from './app-routing.module';
import { HeroesModule }            from './heroes/heroes.module';
import { AuthModule }              from './auth/auth.module';

@NgModule({
  imports: [
    BrowserModule,
    BrowserAnimationsModule,
    FormsModule,
    HeroesModule,
    AuthModule,
    AppRoutingModule,
  ],
  declarations: [
    AppComponent,
    ComposeMessageComponent,
    PageNotFoundComponent
  ],
  bootstrap: [ AppComponent ]
})
export class AppModule {
}
import { NgModule }     from '@angular/core';
import {
  RouterModule, Routes,
} from '@angular/router';

import { ComposeMessageComponent } from './compose-message/compose-message.component';
import { PageNotFoundComponent }   from './page-not-found/page-not-found.component';

import { AuthGuard }               from './auth/auth.guard';

const appRoutes: Routes = [
  {
    path: 'compose',
    component: ComposeMessageComponent,
    outlet: 'popup'
  },
  {
    path: 'admin',
    loadChildren: () => import('./admin/admin.module').then(mod => mod.AdminModule),
    canLoad: [AuthGuard]
  },
  {
    path: 'crisis-center',
    loadChildren: () => import('./crisis-center/crisis-center.module').then(mod => mod.CrisisCenterModule)
  },
  { path: '',   redirectTo: '/heroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
    )
  ],
  exports: [
    RouterModule
  ]
})
export class AppRoutingModule {}
import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { CrisisCenterHomeComponent } from './crisis-center-home/crisis-center-home.component';
import { CrisisListComponent }       from './crisis-list/crisis-list.component';
import { CrisisCenterComponent }     from './crisis-center/crisis-center.component';
import { CrisisDetailComponent }     from './crisis-detail/crisis-detail.component';

import { CanDeactivateGuard }             from '../can-deactivate.guard';
import { CrisisDetailResolverService }    from './crisis-detail-resolver.service';

const crisisCenterRoutes: Routes = [
  {
    path: '',
    component: CrisisCenterComponent,
    children: [
      {
        path: '',
        component: CrisisListComponent,
        children: [
          {
            path: ':id',
            component: CrisisDetailComponent,
            canDeactivate: [CanDeactivateGuard],
            resolve: {
              crisis: CrisisDetailResolverService
            }
          },
          {
            path: '',
            component: CrisisCenterHomeComponent
          }
        ]
      }
    ]
  }
];

@NgModule({
  imports: [
    RouterModule.forChild(crisisCenterRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class CrisisCenterRoutingModule { }

You could try this now and confirm that the CrisisCenterModule loads after you click the "Crisis Center" button.

To enable preloading of all lazy loaded modules, import the PreloadAllModules token from the Angular router package.

The second argument in the RouterModule.forRoot() method takes an object for additional configuration options. The preloadingStrategy is one of those options. Add the PreloadAllModules token to the forRoot() call:

RouterModule.forRoot(
  appRoutes,
  {
    enableTracing: true, // <-- debugging purposes only
    preloadingStrategy: PreloadAllModules
  }
)

This tells the Router preloader to immediately load all lazy loaded routes (routes with a loadChildren property).

When you visit http://localhost:4200, the /heroes route loads immediately upon launch and the router starts loading the CrisisCenterModule right after the HeroesModule loads.

Surprisingly, the AdminModule does not preload. Something is blocking it.

CanLoad blocks preload

The PreloadAllModules strategy does not load feature areas protected by a CanLoad guard. This is by design.

You added a CanLoad guard to the route in the AdminModule a few steps back to block loading of that module until the user is authorized. That CanLoad guard takes precedence over the preload strategy.

If you want to preload a module and guard against unauthorized access, drop the canLoad() guard method and rely on the canActivate() guard alone.

Custom Preloading Strategy

Preloading every lazy loaded modules works well in many situations, but it isn't always the right choice, especially on mobile devices and over low bandwidth connections. You may choose to preload only certain feature modules, based on user metrics and other business and technical factors.

You can control what and how the router preloads with a custom preloading strategy.

In this section, you'll add a custom strategy that only preloads routes whose data.preload flag is set to true. Recall that you can add anything to the data property of a route.

Set the data.preload flag in the crisis-center route in the AppRoutingModule.

{
  path: 'crisis-center',
  loadChildren: () => import('./crisis-center/crisis-center.module').then(mod => mod.CrisisCenterModule),
  data: { preload: true }
},

Generate a new SelectivePreloadingStrategy service.

ng generate service selective-preloading-strategy
import { Injectable } from '@angular/core';
import { PreloadingStrategy, Route } from '@angular/router';
import { Observable, of } from 'rxjs';

@Injectable({
  providedIn: 'root',
})
export class SelectivePreloadingStrategyService implements PreloadingStrategy {
  preloadedModules: string[] = [];

  preload(route: Route, load: () => Observable<any>): Observable<any> {
    if (route.data && route.data['preload']) {
      // add the route path to the preloaded module array
      this.preloadedModules.push(route.path);

      // log the route path to the console
      console.log('Preloaded: ' + route.path);

      return load();
    } else {
      return of(null);
    }
  }
}

SelectivePreloadingStrategyService implements the PreloadingStrategy, which has one method, preload.

The router calls the preload method with two arguments:

  1. The route to consider.
  2. A loader function that can load the routed module asynchronously.

An implementation of preload must return an Observable. If the route should preload, it returns the observable returned by calling the loader function. If the route should not preload, it returns an Observable of null.

In this sample, the preload method loads the route if the route's data.preload flag is truthy.

It also has a side-effect. SelectivePreloadingStrategyService logs the path of a selected route in its public preloadedModules array.

Shortly, you'll extend the AdminDashboardComponent to inject this service and display its preloadedModules array.

But first, make a few changes to the AppRoutingModule.

  1. Import SelectivePreloadingStrategyService into AppRoutingModule.
  2. Replace the PreloadAllModules strategy in the call to forRoot() with this SelectivePreloadingStrategyService.
  3. Add the SelectivePreloadingStrategyService strategy to the AppRoutingModule providers array so it can be injected elsewhere in the app.

Now edit the AdminDashboardComponent to display the log of preloaded routes.

  1. Import the SelectivePreloadingStrategyService.
  2. Inject it into the dashboard's constructor.
  3. Update the template to display the strategy service's preloadedModules array.

When you're done it looks like this.

import { Component, OnInit }    from '@angular/core';
import { ActivatedRoute }       from '@angular/router';
import { Observable }           from 'rxjs';
import { map }                  from 'rxjs/operators';

import { SelectivePreloadingStrategyService } from '../../selective-preloading-strategy.service';

@Component({
  selector: 'app-admin-dashboard',
  templateUrl: './admin-dashboard.component.html',
  styleUrls: ['./admin-dashboard.component.css']
})
export class AdminDashboardComponent implements OnInit {
  sessionId: Observable<string>;
  token: Observable<string>;
  modules: string[];

  constructor(
    private route: ActivatedRoute,
    preloadStrategy: SelectivePreloadingStrategyService
  ) {
    this.modules = preloadStrategy.preloadedModules;
  }

  ngOnInit() {
    // Capture the session ID if available
    this.sessionId = this.route
      .queryParamMap
      .pipe(map(params => params.get('session_id') || 'None'));

    // Capture the fragment if available
    this.token = this.route
      .fragment
      .pipe(map(fragment => fragment || 'None'));
  }
}

Once the application loads the initial route, the CrisisCenterModule is preloaded. Verify this by logging in to the Admin feature area and noting that the crisis-center is listed in the Preloaded Modules. It's also logged to the browser's console.

Migrating URLs with Redirects

You've setup the routes for navigating around your application. You've used navigation imperatively and declaratively to many different routes. But like any application, requirements change over time. You've setup links and navigation to /heroes and /hero/:id from the HeroListComponent and HeroDetailComponent components. If there was a requirement that links to heroes become superheroes, you still want the previous URLs to navigate correctly. You also don't want to go and update every link in your application, so redirects makes refactoring routes trivial.

Changing /heroes to /superheroes

Let's take the Hero routes and migrate them to new URLs. The Router checks for redirects in your configuration before navigating, so each redirect is triggered when needed. To support this change, you'll add redirects from the old routes to the new routes in the heroes-routing.module.

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { HeroListComponent }    from './hero-list/hero-list.component';
import { HeroDetailComponent }  from './hero-detail/hero-detail.component';

const heroesRoutes: Routes = [
  { path: 'heroes', redirectTo: '/superheroes' },
  { path: 'hero/:id', redirectTo: '/superhero/:id' },
  { path: 'superheroes',  component: HeroListComponent, data: { animation: 'heroes' } },
  { path: 'superhero/:id', component: HeroDetailComponent, data: { animation: 'hero' } }
];

@NgModule({
  imports: [
    RouterModule.forChild(heroesRoutes)
  ],
  exports: [
    RouterModule
  ]
})
export class HeroesRoutingModule { }

You'll notice two different types of redirects. The first change is from /heroes to /superheroes without any parameters. This is a straightforward redirect, unlike the change from /hero/:id to /superhero/:id, which includes the :id route parameter. Router redirects also use powerful pattern matching, so the Router inspects the URL and replaces route parameters in the path with their appropriate destination. Previously, you navigated to a URL such as /hero/15 with a route parameter id of 15.

The Router also supports query parameters and the fragment when using redirects.

  • When using absolute redirects, the Router will use the query parameters and the fragment from the redirectTo in the route config.
  • When using relative redirects, the Router use the query params and the fragment from the source URL.

Before updating the app-routing.module.ts, you'll need to consider an important rule. Currently, our empty path route redirects to /heroes, which redirects to /superheroes. This won't work and is by design as the Router handles redirects once at each level of routing configuration. This prevents chaining of redirects, which can lead to endless redirect loops.

So instead, you'll update the empty path route in app-routing.module.ts to redirect to /superheroes.

import { NgModule }             from '@angular/core';
import { RouterModule, Routes } from '@angular/router';

import { ComposeMessageComponent }  from './compose-message/compose-message.component';
import { PageNotFoundComponent }    from './page-not-found/page-not-found.component';

import { AuthGuard }                          from './auth/auth.guard';
import { SelectivePreloadingStrategyService } from './selective-preloading-strategy.service';

const appRoutes: Routes = [
  {
    path: 'compose',
    component: ComposeMessageComponent,
    outlet: 'popup'
  },
  {
    path: 'admin',
    loadChildren: () => import('./admin/admin.module').then(mod => mod.AdminModule),
    canLoad: [AuthGuard]
  },
  {
    path: 'crisis-center',
    loadChildren: () => import('./crisis-center/crisis-center.module').then(mod => mod.CrisisCenterModule),
    data: { preload: true }
  },
  { path: '',   redirectTo: '/superheroes', pathMatch: 'full' },
  { path: '**', component: PageNotFoundComponent }
];

@NgModule({
  imports: [
    RouterModule.forRoot(
      appRoutes,
      {
        enableTracing: false, // <-- debugging purposes only
        preloadingStrategy: SelectivePreloadingStrategyService,
      }
    )
  ],
  exports: [
    RouterModule
  ]
})
export class AppRoutingModule { }

RouterLinks aren't tied to route configuration, so you'll need to update the associated router links so they remain active when the new route is active. You'll update the app.component.ts template for the /heroes routerLink.

<h1 class="title">Angular Router</h1>
<nav>
  <a routerLink="/crisis-center" routerLinkActive="active">Crisis Center</a>
  <a routerLink="/superheroes" routerLinkActive="active">Heroes</a>
  <a routerLink="/admin" routerLinkActive="active">Admin</a>
  <a routerLink="/login" routerLinkActive="active">Login</a>
  <a [routerLink]="[{ outlets: { popup: ['compose'] } }]">Contact</a>
</nav>
<div [@routeAnimation]="getAnimationData(routerOutlet)">
  <router-outlet #routerOutlet="outlet"></router-outlet>
</div>
<router-outlet name="popup"></router-outlet>

Update the goToHeroes() method in the hero-detail.component.ts to navigate back to /superheroes with the optional route parameters.

gotoHeroes(hero: Hero) {
  let heroId = hero ? hero.id : null;
  // Pass along the hero id if available
  // so that the HeroList component can select that hero.
  // Include a junk 'foo' property for fun.
  this.router.navigate(['/superheroes', { id: heroId, foo: 'foo' }]);
}

With the redirects setup, all previous routes now point to their new destinations and both URLs still function as intended.

Inspect the router's configuration

You put a lot of effort into configuring the router in several routing module files and were careful to list them in the proper order. Are routes actually evaluated as you planned? How is the router really configured?

You can inspect the router's current configuration any time by injecting it and examining its config property. For example, update the AppModule as follows and look in the browser console window to see the finished route configuration.

export class AppModule {
  // Diagnostic only: inspect router configuration
  constructor(router: Router) {
    // Use a custom replacer to display function names in the route configs
    const replacer = (key, value) => (typeof value === 'function') ? value.name : value;

    console.log('Routes: ', JSON.stringify(router.config, replacer, 2));
  }
}

Wrap up and final app

You've covered a lot of ground in this guide and the application is too big to reprint here. Please visit the where you can download the final source code.

Appendices

The balance of this guide is a set of appendices that elaborate some of the points you covered quickly above.

The appendix material isn't essential. Continued reading is for the curious.

Appendix: link parameters array

A link parameters array holds the following ingredients for router navigation:

  • The path of the route to the destination component.
  • Required and optional route parameters that go into the route URL.

You can bind the RouterLink directive to such an array like this:

<a [routerLink]="['/heroes']">Heroes</a>

You've written a two element array when specifying a route parameter like this:

<a [routerLink]="['/hero', hero.id]">
  <span class="badge">{{ hero.id }}</span>{{ hero.name }}
</a>

You can provide optional route parameters in an object like this:

<a [routerLink]="['/crisis-center', { foo: 'foo' }]">Crisis Center</a>

These three examples cover the need for an app with one level routing. The moment you add a child router, such as the crisis center, you create new link array possibilities.

Recall that you specified a default child route for the crisis center so this simple RouterLink is fine.

<a [routerLink]="['/crisis-center']">Crisis Center</a>

Parse it out.

  • The first item in the array identifies the parent route (/crisis-center).
  • There are no parameters for this parent route so you're done with it.
  • There is no default for the child route so you need to pick one.
  • You're navigating to the CrisisListComponent, whose route path is /, but you don't need to explicitly add the slash.
  • Voilà! ['/crisis-center'].

Take it a step further. Consider the following router link that navigates from the root of the application down to the Dragon Crisis:

<a [routerLink]="['/crisis-center', 1]">Dragon Crisis</a>
  • The first item in the array identifies the parent route (/crisis-center).
  • There are no parameters for this parent route so you're done with it.
  • The second item identifies the child route details about a particular crisis (/:id).
  • The details child route requires an id route parameter.
  • You added the id of the Dragon Crisis as the second item in the array (1).
  • The resulting path is /crisis-center/1.

If you wanted to, you could redefine the AppComponent template with Crisis Center routes exclusively:

template: `
  <h1 class="title">Angular Router</h1>
  <nav>
    <a [routerLink]="['/crisis-center']">Crisis Center</a>
    <a [routerLink]="['/crisis-center/1', { foo: 'foo' }]">Dragon Crisis</a>
    <a [routerLink]="['/crisis-center/2']">Shark Crisis</a>
  </nav>
  <router-outlet></router-outlet>
`

In sum, you can write applications with one, two or more levels of routing. The link parameters array affords the flexibility to represent any routing depth and any legal sequence of route paths, (required) router parameters, and (optional) route parameter objects.

Appendix: LocationStrategy and browser URL styles

When the router navigates to a new component view, it updates the browser's location and history with a URL for that view. This is a strictly local URL. The browser shouldn't send this URL to the server and should not reload the page.

Modern HTML5 browsers support history.pushState, a technique that changes a browser's location and history without triggering a server page request. The router can compose a "natural" URL that is indistinguishable from one that would otherwise require a page load.

Here's the Crisis Center URL in this "HTML5 pushState" style:

localhost:3002/crisis-center/

Older browsers send page requests to the server when the location URL changes unless the change occurs after a "#" (called the "hash"). Routers can take advantage of this exception by composing in-application route URLs with hashes. Here's a "hash URL" that routes to the Crisis Center.

localhost:3002/src/#/crisis-center/

The router supports both styles with two LocationStrategy providers:

  1. PathLocationStrategy—the default "HTML5 pushState" style.
  2. HashLocationStrategy—the "hash URL" style.

The RouterModule.forRoot() function sets the LocationStrategy to the PathLocationStrategy, making it the default strategy. You can switch to the HashLocationStrategy with an override during the bootstrapping process if you prefer it.

Learn about providers and the bootstrap process in the Dependency Injection guide.

Which strategy is best?

You must choose a strategy and you need to make the right call early in the project. It won't be easy to change later once the application is in production and there are lots of application URL references in the wild.

Almost all Angular projects should use the default HTML5 style. It produces URLs that are easier for users to understand. And it preserves the option to do server-side rendering later.

Rendering critical pages on the server is a technique that can greatly improve perceived responsiveness when the app first loads. An app that would otherwise take ten or more seconds to start could be rendered on the server and delivered to the user's device in less than a second.

This option is only available if application URLs look like normal web URLs without hashes (#) in the middle.

Stick with the default unless you have a compelling reason to resort to hash routes.

The

The router uses the browser's history.pushState for navigation. Thanks to pushState, you can make in-app URL paths look the way you want them to look, e.g. localhost:4200/crisis-center. The in-app URLs can be indistinguishable from server URLs.

Modern HTML5 browsers were the first to support pushState which is why many people refer to these URLs as "HTML5 style" URLs.

HTML5 style navigation is the router default. In the LocationStrategy and browser URL styles Appendix, learn why HTML5 style is preferred, how to adjust its behavior, and how to switch to the older hash (#) style, if necessary.

You must add a element to the app's index.html for pushState routing to work. The browser uses the <base href> value to prefix relative URLs when referencing CSS files, scripts, and images.

Add the <base> element just after the <head> tag. If the app folder is the application root, as it is for this application, set the href value in index.html exactly as shown here.

<base href="/">

HTML5 URLs and the

While the router uses the HTML5 pushState style by default, you must configure that strategy with a base href.

The preferred way to configure the strategy is to add a element tag in the <head> of the index.html.

<base href="/">

Without that tag, the browser may not be able to load resources (images, CSS, scripts) when "deep linking" into the app. Bad things could happen when someone pastes an application link into the browser's address bar or clicks such a link in an email.

Some developers may not be able to add the <base> element, perhaps because they don't have access to <head> or the index.html.

Those developers may still use HTML5 URLs by taking two remedial steps:

  1. Provide the router with an appropriate [APP_BASE_HREF][] value.
  2. Use root URLs for all web resources: CSS, images, scripts, and template HTML files.

HashLocationStrategy

You can go old-school with the HashLocationStrategy by providing the useHash: true in an object as the second argument of the RouterModule.forRoot() in the AppModule.

import { NgModule }             from '@angular/core';
import { BrowserModule }        from '@angular/platform-browser';
import { FormsModule }          from '@angular/forms';
import { Routes, RouterModule } from '@angular/router';

import { AppComponent }          from './app.component';
import { PageNotFoundComponent } from './page-not-found/page-not-found.component';

const routes: Routes = [

];

@NgModule({
  imports: [
    BrowserModule,
    FormsModule,
    RouterModule.forRoot(routes, { useHash: true })  // .../#/crisis-center/
  ],
  declarations: [
    AppComponent,
    PageNotFoundComponent
  ],
  providers: [

  ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }

© 2010–2020 Google, Inc.
Licensed under the Creative Commons Attribution License 4.0.
https://v8.angular.io/guide/router