├── src ├── assets │ └── .gitkeep ├── app │ ├── app.component.css │ ├── app.component.html │ ├── posts │ │ ├── post.model.ts │ │ ├── post-create │ │ │ ├── post-create.component.css │ │ │ ├── post-create.component.html │ │ │ ├── mime-type.validator.ts │ │ │ └── post-create.component.ts │ │ ├── post-list │ │ │ ├── post-list.component.css │ │ │ ├── post-list.component.html │ │ │ └── post-list.component.ts │ │ └── posts.service.ts │ ├── header │ │ ├── header.component.css │ │ ├── header.component.ts │ │ └── header.component.html │ ├── app.component.ts │ ├── app-routing.module.ts │ ├── app.component.spec.ts │ └── app.module.ts ├── favicon.ico ├── environments │ ├── environment.prod.ts │ └── environment.ts ├── tsconfig.app.json ├── styles.css ├── tsconfig.spec.json ├── tslint.json ├── browserslist ├── main.ts ├── index.html ├── test.ts ├── karma.conf.js └── polyfills.ts ├── backend ├── angular │ ├── favicon.ico │ ├── index.html │ ├── runtime.442b7c8db123a504de6e.js │ ├── 0.e9f471f63898b4ac0493.js │ ├── 3rdpartylicenses.txt │ ├── styles.645c7c4c3629d3736432.css │ └── polyfills.513340fb3a708ab6cde2.js ├── models │ └── post.js ├── app.js └── routes │ └── posts.js ├── e2e ├── src │ ├── app.po.ts │ └── app.e2e-spec.ts ├── tsconfig.e2e.json └── protractor.conf.js ├── .editorconfig ├── tsconfig.json ├── .gitignore ├── README.md ├── server.js ├── package.json ├── tslint.json └── angular.json /src/assets/.gitkeep: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /src/app/app.component.css: -------------------------------------------------------------------------------- 1 | main { 2 | width: 80%; 3 | margin: 1rem auto; 4 | } 5 | -------------------------------------------------------------------------------- /src/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/chandu-muthyala/MEAN-Chat-Room/master/src/favicon.ico -------------------------------------------------------------------------------- /src/environments/environment.prod.ts: -------------------------------------------------------------------------------- 1 | export const environment = { 2 | production: true 3 | }; 4 | -------------------------------------------------------------------------------- /src/app/app.component.html: -------------------------------------------------------------------------------- 1 | 2 |
3 | 4 |
5 | -------------------------------------------------------------------------------- /backend/angular/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/chandu-muthyala/MEAN-Chat-Room/master/backend/angular/favicon.ico -------------------------------------------------------------------------------- /src/app/posts/post.model.ts: -------------------------------------------------------------------------------- 1 | export interface Post { 2 | id: string; 3 | title: string; 4 | content: string; 5 | imagePath: string; 6 | } 7 | -------------------------------------------------------------------------------- /src/app/header/header.component.css: -------------------------------------------------------------------------------- 1 | ul { 2 | list-style: none; 3 | padding: 0; 4 | margin: 0; 5 | } 6 | 7 | a { 8 | text-decoration: none; 9 | color: white; 10 | } 11 | 12 | .spacer { 13 | flex: 1 1 auto; 14 | } 15 | -------------------------------------------------------------------------------- /src/app/app.component.ts: -------------------------------------------------------------------------------- 1 | import { Component } from '@angular/core'; 2 | 3 | @Component({ 4 | selector: 'app-root', 5 | templateUrl: './app.component.html', 6 | styleUrls: ['./app.component.css'] 7 | }) 8 | export class AppComponent { 9 | 10 | } 11 | -------------------------------------------------------------------------------- /src/app/header/header.component.ts: -------------------------------------------------------------------------------- 1 | import { Component } from "@angular/core"; 2 | 3 | @Component({ 4 | selector: 'app-header', 5 | templateUrl: './header.component.html', 6 | styleUrls: ['./header.component.css'] 7 | }) 8 | export class HeaderComponent {} 9 | -------------------------------------------------------------------------------- /src/tsconfig.app.json: -------------------------------------------------------------------------------- 1 | { 2 | "extends": "../tsconfig.json", 3 | "compilerOptions": { 4 | "outDir": "../out-tsc/app", 5 | "module": "es2015", 6 | "types": [] 7 | }, 8 | "exclude": [ 9 | "src/test.ts", 10 | "**/*.spec.ts" 11 | ] 12 | } 13 | -------------------------------------------------------------------------------- /e2e/src/app.po.ts: -------------------------------------------------------------------------------- 1 | import { browser, by, element } from 'protractor'; 2 | 3 | export class AppPage { 4 | navigateTo() { 5 | return browser.get('/'); 6 | } 7 | 8 | getParagraphText() { 9 | return element(by.css('app-root h1')).getText(); 10 | } 11 | } 12 | -------------------------------------------------------------------------------- /src/styles.css: -------------------------------------------------------------------------------- 1 | /* You can add global styles to this file, and also import other style files */ 2 | /* @import '@angular/material/prebuilt-themes/deeppurple-amber.css'; */ 3 | html, body { height: 100%; } 4 | body { margin: 0; font-family: Roboto, "Helvetica Neue", sans-serif; } 5 | -------------------------------------------------------------------------------- /e2e/tsconfig.e2e.json: -------------------------------------------------------------------------------- 1 | { 2 | "extends": "../tsconfig.json", 3 | "compilerOptions": { 4 | "outDir": "../out-tsc/app", 5 | "module": "commonjs", 6 | "target": "es5", 7 | "types": [ 8 | "jasmine", 9 | "jasminewd2", 10 | "node" 11 | ] 12 | } 13 | } -------------------------------------------------------------------------------- /.editorconfig: -------------------------------------------------------------------------------- 1 | # Editor configuration, see https://editorconfig.org 2 | root = true 3 | 4 | [*] 5 | charset = utf-8 6 | indent_style = space 7 | indent_size = 2 8 | insert_final_newline = true 9 | trim_trailing_whitespace = true 10 | 11 | [*.md] 12 | max_line_length = off 13 | trim_trailing_whitespace = false 14 | -------------------------------------------------------------------------------- /backend/models/post.js: -------------------------------------------------------------------------------- 1 | const mongoose = require("mongoose"); 2 | 3 | const postSchema = mongoose.Schema({ 4 | title: { type: String, required: true }, 5 | content: { type: String, required: true }, 6 | imagePath: { type: String, required: true } 7 | }); 8 | 9 | module.exports = mongoose.model("Post", postSchema); 10 | -------------------------------------------------------------------------------- /src/app/header/header.component.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | MyMessages 4 | 5 | 6 | 11 | 12 | -------------------------------------------------------------------------------- /src/app/posts/post-create/post-create.component.css: -------------------------------------------------------------------------------- 1 | mat-form-field, 2 | textarea { 3 | width: 100%; 4 | } 5 | 6 | mat-spinner { 7 | margin: auto; 8 | } 9 | 10 | input[type="file"] { 11 | visibility: hidden; 12 | } 13 | 14 | .image-preview { 15 | height: 5rem; 16 | margin: 1rem 0; 17 | } 18 | 19 | .image-preview img { 20 | height: 100%; 21 | } 22 | -------------------------------------------------------------------------------- /e2e/src/app.e2e-spec.ts: -------------------------------------------------------------------------------- 1 | import { AppPage } from './app.po'; 2 | 3 | describe('workspace-project App', () => { 4 | let page: AppPage; 5 | 6 | beforeEach(() => { 7 | page = new AppPage(); 8 | }); 9 | 10 | it('should display welcome message', () => { 11 | page.navigateTo(); 12 | expect(page.getParagraphText()).toEqual('Welcome to app!'); 13 | }); 14 | }); 15 | -------------------------------------------------------------------------------- /src/tsconfig.spec.json: -------------------------------------------------------------------------------- 1 | { 2 | "extends": "../tsconfig.json", 3 | "compilerOptions": { 4 | "outDir": "../out-tsc/spec", 5 | "module": "commonjs", 6 | "types": [ 7 | "jasmine", 8 | "node" 9 | ] 10 | }, 11 | "files": [ 12 | "test.ts", 13 | "polyfills.ts" 14 | ], 15 | "include": [ 16 | "**/*.spec.ts", 17 | "**/*.d.ts" 18 | ] 19 | } 20 | -------------------------------------------------------------------------------- /src/tslint.json: -------------------------------------------------------------------------------- 1 | { 2 | "extends": "../tslint.json", 3 | "rules": { 4 | "directive-selector": [ 5 | true, 6 | "attribute", 7 | "app", 8 | "camelCase" 9 | ], 10 | "component-selector": [ 11 | true, 12 | "element", 13 | "app", 14 | "kebab-case" 15 | ] 16 | } 17 | } 18 | -------------------------------------------------------------------------------- /src/browserslist: -------------------------------------------------------------------------------- 1 | # This file is currently used by autoprefixer to adjust CSS to support the below specified browsers 2 | # For additional information regarding the format and rule options, please see: 3 | # https://github.com/browserslist/browserslist#queries 4 | # For IE 9-11 support, please uncomment the last line of the file and adjust as needed 5 | > 0.5% 6 | last 2 versions 7 | Firefox ESR 8 | not dead 9 | # IE 9-11 -------------------------------------------------------------------------------- /src/main.ts: -------------------------------------------------------------------------------- 1 | import { enableProdMode } from '@angular/core'; 2 | import { platformBrowserDynamic } from '@angular/platform-browser-dynamic'; 3 | 4 | import { AppModule } from './app/app.module'; 5 | import { environment } from './environments/environment'; 6 | 7 | if (environment.production) { 8 | enableProdMode(); 9 | } 10 | 11 | platformBrowserDynamic().bootstrapModule(AppModule) 12 | .catch(err => console.log(err)); 13 | -------------------------------------------------------------------------------- /src/app/posts/post-list/post-list.component.css: -------------------------------------------------------------------------------- 1 | :host { 2 | display: block; 3 | margin-top: 1rem; 4 | } 5 | 6 | mat-spinner { 7 | margin: auto; 8 | } 9 | 10 | .info-text { 11 | text-align: center; 12 | } 13 | 14 | .post-image { 15 | width: 100%; 16 | } 17 | 18 | .post-image img { 19 | width: 100%; 20 | box-shadow: 1px 1px 5px rgba(0, 0, 0, 0.5); 21 | } 22 | 23 | .post-image img{ 24 | height: 300px; 25 | width: 300px; 26 | } 27 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compileOnSave": false, 3 | "compilerOptions": { 4 | "baseUrl": "./", 5 | "outDir": "./dist/out-tsc", 6 | "sourceMap": true, 7 | "declaration": false, 8 | "moduleResolution": "node", 9 | "emitDecoratorMetadata": true, 10 | "experimentalDecorators": true, 11 | "target": "es5", 12 | "typeRoots": [ 13 | "node_modules/@types" 14 | ], 15 | "lib": [ 16 | "es2017", 17 | "dom" 18 | ] 19 | } 20 | } 21 | -------------------------------------------------------------------------------- /src/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | MeanCourse 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 16 | 17 | -------------------------------------------------------------------------------- /src/app/app-routing.module.ts: -------------------------------------------------------------------------------- 1 | import { NgModule } from "@angular/core"; 2 | import { RouterModule, Routes } from "@angular/router"; 3 | 4 | import { PostListComponent } from "./posts/post-list/post-list.component"; 5 | import { PostCreateComponent } from "./posts/post-create/post-create.component"; 6 | 7 | const routes: Routes = [ 8 | { path: '', component: PostListComponent }, 9 | { path: 'create', component: PostCreateComponent }, 10 | { path: 'edit/:postId', component: PostCreateComponent }, 11 | ]; 12 | 13 | @NgModule({ 14 | imports: [RouterModule.forRoot(routes)], 15 | exports: [RouterModule] 16 | }) 17 | export class AppRoutingModule {} 18 | -------------------------------------------------------------------------------- /src/environments/environment.ts: -------------------------------------------------------------------------------- 1 | // This file can be replaced during build by using the `fileReplacements` array. 2 | // `ng build ---prod` replaces `environment.ts` with `environment.prod.ts`. 3 | // The list of file replacements can be found in `angular.json`. 4 | 5 | export const environment = { 6 | production: false 7 | }; 8 | 9 | /* 10 | * In development mode, to ignore zone related error stack frames such as 11 | * `zone.run`, `zoneDelegate.invokeTask` for easier debugging, you can 12 | * import the following file, but please comment it out in production mode 13 | * because it will have performance impact when throw error 14 | */ 15 | // import 'zone.js/dist/zone-error'; // Included with Angular CLI. 16 | -------------------------------------------------------------------------------- /src/test.ts: -------------------------------------------------------------------------------- 1 | // This file is required by karma.conf.js and loads recursively all the .spec and framework files 2 | 3 | import 'zone.js/dist/zone-testing'; 4 | import { getTestBed } from '@angular/core/testing'; 5 | import { 6 | BrowserDynamicTestingModule, 7 | platformBrowserDynamicTesting 8 | } from '@angular/platform-browser-dynamic/testing'; 9 | 10 | declare const require: any; 11 | 12 | // First, initialize the Angular testing environment. 13 | getTestBed().initTestEnvironment( 14 | BrowserDynamicTestingModule, 15 | platformBrowserDynamicTesting() 16 | ); 17 | // Then we find all the tests. 18 | const context = require.context('./', true, /\.spec\.ts$/); 19 | // And load the modules. 20 | context.keys().map(context); 21 | -------------------------------------------------------------------------------- /src/app/posts/post-list/post-list.component.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | {{ post.title }} 6 | 7 |
8 | 9 |
10 |

{{ post.content }}

11 | 12 | EDIT 13 | 14 | 15 |
16 |
17 |

No posts added yet!

18 | -------------------------------------------------------------------------------- /backend/angular/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | MeanCourse 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # See http://help.github.com/ignore-files/ for more about ignoring files. 2 | 3 | # compiled output 4 | /dist 5 | /tmp 6 | /out-tsc 7 | # Only exists if Bazel was run 8 | /bazel-out 9 | 10 | # dependencies 11 | /node_modules 12 | 13 | # profiling files 14 | chrome-profiler-events.json 15 | speed-measure-plugin.json 16 | 17 | # IDEs and editors 18 | /.idea 19 | .project 20 | .classpath 21 | .c9/ 22 | *.launch 23 | .settings/ 24 | *.sublime-workspace 25 | 26 | # IDE - VSCode 27 | .vscode/* 28 | !.vscode/settings.json 29 | !.vscode/tasks.json 30 | !.vscode/launch.json 31 | !.vscode/extensions.json 32 | .history/* 33 | 34 | # misc 35 | /.sass-cache 36 | /connect.lock 37 | /coverage 38 | /libpeerconnection.log 39 | npm-debug.log 40 | yarn-error.log 41 | testem.log 42 | /typings 43 | 44 | # System Files 45 | .DS_Store 46 | Thumbs.db 47 | -------------------------------------------------------------------------------- /e2e/protractor.conf.js: -------------------------------------------------------------------------------- 1 | // Protractor configuration file, see link for more information 2 | // https://github.com/angular/protractor/blob/master/lib/config.ts 3 | 4 | const { SpecReporter } = require('jasmine-spec-reporter'); 5 | 6 | exports.config = { 7 | allScriptsTimeout: 11000, 8 | specs: [ 9 | './src/**/*.e2e-spec.ts' 10 | ], 11 | capabilities: { 12 | 'browserName': 'chrome' 13 | }, 14 | directConnect: true, 15 | baseUrl: 'http://localhost:4200/', 16 | framework: 'jasmine', 17 | jasmineNodeOpts: { 18 | showColors: true, 19 | defaultTimeoutInterval: 30000, 20 | print: function() {} 21 | }, 22 | onPrepare() { 23 | require('ts-node').register({ 24 | project: require('path').join(__dirname, './tsconfig.e2e.json') 25 | }); 26 | jasmine.getEnv().addReporter(new SpecReporter({ spec: { displayStacktrace: true } })); 27 | } 28 | }; -------------------------------------------------------------------------------- /src/karma.conf.js: -------------------------------------------------------------------------------- 1 | // Karma configuration file, see link for more information 2 | // https://karma-runner.github.io/1.0/config/configuration-file.html 3 | 4 | module.exports = function (config) { 5 | config.set({ 6 | basePath: '', 7 | frameworks: ['jasmine', '@angular-devkit/build-angular'], 8 | plugins: [ 9 | require('karma-jasmine'), 10 | require('karma-chrome-launcher'), 11 | require('karma-jasmine-html-reporter'), 12 | require('karma-coverage-istanbul-reporter'), 13 | require('@angular-devkit/build-angular/plugins/karma') 14 | ], 15 | client: { 16 | clearContext: false // leave Jasmine Spec Runner output visible in browser 17 | }, 18 | coverageIstanbulReporter: { 19 | dir: require('path').join(__dirname, '../coverage'), 20 | reports: ['html', 'lcovonly'], 21 | fixWebpackSourcePaths: true 22 | }, 23 | reporters: ['progress', 'kjhtml'], 24 | port: 9876, 25 | colors: true, 26 | logLevel: config.LOG_INFO, 27 | autoWatch: true, 28 | browsers: ['Chrome'], 29 | singleRun: false 30 | }); 31 | }; -------------------------------------------------------------------------------- /src/app/app.component.spec.ts: -------------------------------------------------------------------------------- 1 | import { TestBed, async } from '@angular/core/testing'; 2 | import { AppComponent } from './app.component'; 3 | describe('AppComponent', () => { 4 | beforeEach(async(() => { 5 | TestBed.configureTestingModule({ 6 | declarations: [ 7 | AppComponent 8 | ], 9 | }).compileComponents(); 10 | })); 11 | it('should create the app', async(() => { 12 | const fixture = TestBed.createComponent(AppComponent); 13 | const app = fixture.debugElement.componentInstance; 14 | expect(app).toBeTruthy(); 15 | })); 16 | it(`should have as title 'app'`, async(() => { 17 | const fixture = TestBed.createComponent(AppComponent); 18 | const app = fixture.debugElement.componentInstance; 19 | expect(app.title).toEqual('app'); 20 | })); 21 | it('should render title in a h1 tag', async(() => { 22 | const fixture = TestBed.createComponent(AppComponent); 23 | fixture.detectChanges(); 24 | const compiled = fixture.debugElement.nativeElement; 25 | expect(compiled.querySelector('h1').textContent).toContain('Welcome to app!'); 26 | })); 27 | }); 28 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # MeanCourse 2 | 3 | This project was generated with [Angular CLI](https://github.com/angular/angular-cli) version 6.0.1. 4 | 5 | ## Development server 6 | 7 | Run `ng serve` for a dev server. Navigate to `http://localhost:4200/`. The app will automatically reload if you change any of the source files. 8 | 9 | ## Code scaffolding 10 | 11 | Run `ng generate component component-name` to generate a new component. You can also use `ng generate directive|pipe|service|class|guard|interface|enum|module`. 12 | 13 | ## Build 14 | 15 | Run `ng build` to build the project. The build artifacts will be stored in the `dist/` directory. Use the `--prod` flag for a production build. 16 | 17 | ## Running unit tests 18 | 19 | Run `ng test` to execute the unit tests via [Karma](https://karma-runner.github.io). 20 | 21 | ## Running end-to-end tests 22 | 23 | Run `ng e2e` to execute the end-to-end tests via [Protractor](http://www.protractortest.org/). 24 | 25 | ## Further help 26 | 27 | To get more help on the Angular CLI use `ng help` or go check out the [Angular CLI README](https://github.com/angular/angular-cli/blob/master/README.md). 28 | -------------------------------------------------------------------------------- /src/app/posts/post-create/post-create.component.html: -------------------------------------------------------------------------------- 1 | 2 | 3 |
4 | 5 | 6 | Please enter a post title. 7 | 8 |
9 | 10 | 11 |
12 |
13 | 14 |
15 | 16 | 17 | Please enter a post title. 18 | 19 | 20 |
21 |
22 | -------------------------------------------------------------------------------- /backend/app.js: -------------------------------------------------------------------------------- 1 | const path = require("path"); 2 | const express = require("express"); 3 | const bodyParser = require("body-parser"); 4 | const mongoose = require("mongoose"); 5 | 6 | const postsRoutes = require("./routes/posts"); 7 | 8 | const app = express(); 9 | 10 | mongoose 11 | .connect( 12 | "mongodb+srv://cmuth001:uIQc0vhkYeHTbzkI@chat-room-eqvp3.mongodb.net/chat-room?retryWrites=true&w=majority", { useNewUrlParser: true } 13 | ) 14 | .then(() => { 15 | console.log("Connected to database!"); 16 | }) 17 | .catch(() => { 18 | console.log("Connection failed!"); 19 | }); 20 | 21 | app.use(bodyParser.json()); 22 | app.use(bodyParser.urlencoded({ extended: false })); 23 | app.use("/images", express.static(path.join("backend/images"))); 24 | 25 | app.use((req, res, next) => { 26 | res.setHeader("Access-Control-Allow-Origin", "*"); 27 | res.setHeader( 28 | "Access-Control-Allow-Headers", 29 | "Origin, X-Requested-With, Content-Type, Accept" 30 | ); 31 | res.setHeader( 32 | "Access-Control-Allow-Methods", 33 | "GET, POST, PATCH, PUT, DELETE, OPTIONS" 34 | ); 35 | next(); 36 | }); 37 | 38 | app.use("/api/posts", postsRoutes); 39 | 40 | module.exports = app; 41 | -------------------------------------------------------------------------------- /src/app/posts/post-list/post-list.component.ts: -------------------------------------------------------------------------------- 1 | import { Component, OnInit, OnDestroy } from "@angular/core"; 2 | import { Subscription } from 'rxjs'; 3 | 4 | import { Post } from "../post.model"; 5 | import { PostsService } from "../posts.service"; 6 | 7 | @Component({ 8 | selector: "app-post-list", 9 | templateUrl: "./post-list.component.html", 10 | styleUrls: ["./post-list.component.css"] 11 | }) 12 | export class PostListComponent implements OnInit, OnDestroy { 13 | // posts = [ 14 | // { title: "First Post", content: "This is the first post's content" }, 15 | // { title: "Second Post", content: "This is the second post's content" }, 16 | // { title: "Third Post", content: "This is the third post's content" } 17 | // ]; 18 | posts: Post[] = []; 19 | isLoading = false; 20 | private postsSub: Subscription; 21 | 22 | constructor(public postsService: PostsService) {} 23 | 24 | ngOnInit() { 25 | this.isLoading = true; 26 | this.postsService.getPosts(); 27 | this.postsSub = this.postsService.getPostUpdateListener() 28 | .subscribe((posts: Post[]) => { 29 | this.isLoading = false; 30 | this.posts = posts; 31 | }); 32 | } 33 | 34 | onDelete(postId: string) { 35 | this.postsService.deletePost(postId); 36 | } 37 | 38 | ngOnDestroy() { 39 | this.postsSub.unsubscribe(); 40 | } 41 | } 42 | -------------------------------------------------------------------------------- /server.js: -------------------------------------------------------------------------------- 1 | const app = require("./backend/app"); 2 | const debug = require("debug")("node-angular"); 3 | const http = require("http"); 4 | 5 | const normalizePort = val => { 6 | var port = parseInt(val, 10); 7 | 8 | if (isNaN(port)) { 9 | // named pipe 10 | return val; 11 | } 12 | 13 | if (port >= 0) { 14 | // port number 15 | return port; 16 | } 17 | 18 | return false; 19 | }; 20 | 21 | const onError = error => { 22 | if (error.syscall !== "listen") { 23 | throw error; 24 | } 25 | const bind = typeof addr === "string" ? "pipe " + addr : "port " + port; 26 | switch (error.code) { 27 | case "EACCES": 28 | console.error(bind + " requires elevated privileges"); 29 | process.exit(1); 30 | break; 31 | case "EADDRINUSE": 32 | console.error(bind + " is already in use"); 33 | process.exit(1); 34 | break; 35 | default: 36 | throw error; 37 | } 38 | }; 39 | 40 | const onListening = () => { 41 | const addr = server.address(); 42 | const bind = typeof addr === "string" ? "pipe " + addr : "port " + port; 43 | debug("Listening on " + bind); 44 | }; 45 | 46 | const port = normalizePort(process.env.PORT || "3000"); 47 | app.set("port", port); 48 | 49 | const server = http.createServer(app); 50 | server.on("error", onError); 51 | server.on("listening", onListening); 52 | server.listen(port); 53 | -------------------------------------------------------------------------------- /src/app/app.module.ts: -------------------------------------------------------------------------------- 1 | import { BrowserModule } from "@angular/platform-browser"; 2 | import { BrowserAnimationsModule } from "@angular/platform-browser/animations"; 3 | import { NgModule } from "@angular/core"; 4 | import { ReactiveFormsModule } from "@angular/forms"; 5 | import { HttpClientModule } from "@angular/common/http"; 6 | import { 7 | MatInputModule, 8 | MatCardModule, 9 | MatButtonModule, 10 | MatToolbarModule, 11 | MatExpansionModule, 12 | MatProgressSpinnerModule 13 | } from "@angular/material"; 14 | 15 | import { AppComponent } from "./app.component"; 16 | import { PostCreateComponent } from "./posts/post-create/post-create.component"; 17 | import { HeaderComponent } from "./header/header.component"; 18 | import { PostListComponent } from "./posts/post-list/post-list.component"; 19 | import { AppRoutingModule } from "./app-routing.module"; 20 | 21 | @NgModule({ 22 | declarations: [ 23 | AppComponent, 24 | PostCreateComponent, 25 | HeaderComponent, 26 | PostListComponent 27 | ], 28 | imports: [ 29 | BrowserModule, 30 | AppRoutingModule, 31 | ReactiveFormsModule, 32 | BrowserAnimationsModule, 33 | MatInputModule, 34 | MatCardModule, 35 | MatButtonModule, 36 | MatToolbarModule, 37 | MatExpansionModule, 38 | MatProgressSpinnerModule, 39 | HttpClientModule 40 | ], 41 | providers: [], 42 | bootstrap: [AppComponent] 43 | }) 44 | export class AppModule {} 45 | -------------------------------------------------------------------------------- /src/app/posts/post-create/mime-type.validator.ts: -------------------------------------------------------------------------------- 1 | import { AbstractControl } from "@angular/forms"; 2 | import { Observable, Observer, of } from "rxjs"; 3 | 4 | export const mimeType = ( 5 | control: AbstractControl 6 | ): Promise<{ [key: string]: any }> | Observable<{ [key: string]: any }> => { 7 | if (typeof(control.value) === 'string') { 8 | return of(null); 9 | } 10 | const file = control.value as File; 11 | const fileReader = new FileReader(); 12 | const frObs = Observable.create( 13 | (observer: Observer<{ [key: string]: any }>) => { 14 | fileReader.addEventListener("loadend", () => { 15 | const arr = new Uint8Array(fileReader.result as ArrayBuffer).subarray(0, 4); 16 | let header = ""; 17 | let isValid = false; 18 | for (let i = 0; i < arr.length; i++) { 19 | header += arr[i].toString(16); 20 | } 21 | switch (header) { 22 | case "89504e47": 23 | isValid = true; 24 | break; 25 | case "ffd8ffe0": 26 | case "ffd8ffe1": 27 | case "ffd8ffe2": 28 | case "ffd8ffe3": 29 | case "ffd8ffe8": 30 | isValid = true; 31 | break; 32 | default: 33 | isValid = false; // Or you can use the blob.type as fallback 34 | break; 35 | } 36 | if (isValid) { 37 | observer.next(null); 38 | } else { 39 | observer.next({ invalidMimeType: true }); 40 | } 41 | observer.complete(); 42 | }); 43 | fileReader.readAsArrayBuffer(file); 44 | } 45 | ); 46 | return frObs; 47 | }; 48 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "mean-chat-room", 3 | "version": "0.0.0", 4 | "scripts": { 5 | "ng": "ng", 6 | "start": "ng serve", 7 | "build": "ng build", 8 | "test": "ng test", 9 | "lint": "ng lint", 10 | "e2e": "ng e2e" 11 | }, 12 | "private": true, 13 | "dependencies": { 14 | "@angular/animations": "~8.1.2", 15 | "@angular/cdk": "~8.1.2", 16 | "@angular/common": "~8.1.2", 17 | "@angular/compiler": "~8.1.2", 18 | "@angular/core": "~8.1.2", 19 | "@angular/forms": "~8.1.2", 20 | "@angular/material": "^8.1.2", 21 | "@angular/platform-browser": "~8.1.2", 22 | "@angular/platform-browser-dynamic": "~8.1.2", 23 | "@angular/router": "~8.1.2", 24 | "angular-material-source": "github:angular/material", 25 | "body-parser": "^1.19.0", 26 | "express": "^4.17.1", 27 | "hammerjs": "^2.0.8", 28 | "mongoose": "^5.6.8", 29 | "multer": "^1.4.2", 30 | "rxjs": "~6.4.0", 31 | "tslib": "^1.9.0", 32 | "zone.js": "~0.9.1" 33 | }, 34 | "devDependencies": { 35 | "@angular-devkit/build-angular": "~0.801.2", 36 | "@angular/cli": "~8.1.2", 37 | "@angular/compiler-cli": "~8.1.2", 38 | "@angular/language-service": "~8.1.2", 39 | "@types/node": "~8.9.4", 40 | "@types/jasmine": "~3.3.8", 41 | "@types/jasminewd2": "~2.0.3", 42 | "codelyzer": "^5.0.0", 43 | "jasmine-core": "~3.4.0", 44 | "jasmine-spec-reporter": "~4.2.1", 45 | "karma": "~4.1.0", 46 | "karma-chrome-launcher": "~2.2.0", 47 | "karma-coverage-istanbul-reporter": "~2.0.1", 48 | "karma-jasmine": "~2.0.1", 49 | "karma-jasmine-html-reporter": "^1.4.0", 50 | "protractor": "~5.4.0", 51 | "ts-node": "~7.0.0", 52 | "tslint": "~5.15.0", 53 | "typescript": "~3.4.3" 54 | } 55 | } 56 | -------------------------------------------------------------------------------- /backend/angular/runtime.442b7c8db123a504de6e.js: -------------------------------------------------------------------------------- 1 | !function(e){function r(r){for(var n,i,a=r[0],c=r[1],f=r[2],s=0,p=[];s { 16 | const isValid = MIME_TYPE_MAP[file.mimetype]; 17 | let error = new Error("Invalid mime type"); 18 | if (isValid) { 19 | error = null; 20 | } 21 | cb(error, "backend/images"); 22 | }, 23 | filename: (req, file, cb) => { 24 | const name = file.originalname 25 | .toLowerCase() 26 | .split(" ") 27 | .join("-"); 28 | const ext = MIME_TYPE_MAP[file.mimetype]; 29 | cb(null, name + "-" + Date.now() + "." + ext); 30 | } 31 | }); 32 | 33 | router.post( 34 | "", 35 | multer({ storage: storage }).single("image"), 36 | (req, res, next) => { 37 | const url = req.protocol + "://" + req.get("host"); 38 | const post = new Post({ 39 | title: req.body.title, 40 | content: req.body.content, 41 | imagePath: url + "/images/" + req.file.filename 42 | }); 43 | post.save().then(createdPost => { 44 | res.status(201).json({ 45 | message: "Post added successfully", 46 | post: { 47 | ...createdPost, 48 | id: createdPost._id 49 | } 50 | }); 51 | }); 52 | } 53 | ); 54 | 55 | router.put( 56 | "/:id", 57 | multer({ storage: storage }).single("image"), 58 | (req, res, next) => { 59 | let imagePath = req.body.imagePath; 60 | if (req.file) { 61 | const url = req.protocol + "://" + req.get("host"); 62 | imagePath = url + "/images/" + req.file.filename 63 | } 64 | const post = new Post({ 65 | _id: req.body.id, 66 | title: req.body.title, 67 | content: req.body.content, 68 | imagePath: imagePath 69 | }); 70 | console.log(post); 71 | Post.updateOne({ _id: req.params.id }, post).then(result => { 72 | res.status(200).json({ message: "Update successful!" }); 73 | }); 74 | } 75 | ); 76 | 77 | router.get("", (req, res, next) => { 78 | Post.find().then(documents => { 79 | res.status(200).json({ 80 | message: "Posts fetched successfully!", 81 | posts: documents 82 | }); 83 | }); 84 | }); 85 | 86 | router.get("/:id", (req, res, next) => { 87 | Post.findById(req.params.id).then(post => { 88 | if (post) { 89 | res.status(200).json(post); 90 | } else { 91 | res.status(404).json({ message: "Post not found!" }); 92 | } 93 | }); 94 | }); 95 | 96 | router.delete("/:id", (req, res, next) => { 97 | Post.deleteOne({ _id: req.params.id }).then(result => { 98 | console.log(result); 99 | res.status(200).json({ message: "Post deleted!" }); 100 | }); 101 | }); 102 | 103 | module.exports = router; 104 | -------------------------------------------------------------------------------- /src/app/posts/post-create/post-create.component.ts: -------------------------------------------------------------------------------- 1 | import { Component, OnInit } from "@angular/core"; 2 | import { FormGroup, FormControl, Validators } from "@angular/forms"; 3 | import { ActivatedRoute, ParamMap } from "@angular/router"; 4 | 5 | import { PostsService } from "../posts.service"; 6 | import { Post } from "../post.model"; 7 | import { mimeType } from "./mime-type.validator"; 8 | 9 | @Component({ 10 | selector: "app-post-create", 11 | templateUrl: "./post-create.component.html", 12 | styleUrls: ["./post-create.component.css"] 13 | }) 14 | export class PostCreateComponent implements OnInit { 15 | enteredTitle = ""; 16 | enteredContent = ""; 17 | post: Post; 18 | isLoading = false; 19 | form: FormGroup; 20 | imagePreview: string; 21 | private mode = "create"; 22 | private postId: string; 23 | 24 | constructor( 25 | public postsService: PostsService, 26 | public route: ActivatedRoute 27 | ) {} 28 | 29 | ngOnInit() { 30 | this.form = new FormGroup({ 31 | title: new FormControl(null, { 32 | validators: [Validators.required, Validators.minLength(3)] 33 | }), 34 | content: new FormControl(null, { validators: [Validators.required] }), 35 | image: new FormControl(null, { 36 | validators: [Validators.required], 37 | asyncValidators: [mimeType] 38 | }) 39 | }); 40 | this.route.paramMap.subscribe((paramMap: ParamMap) => { 41 | if (paramMap.has("postId")) { 42 | this.mode = "edit"; 43 | this.postId = paramMap.get("postId"); 44 | this.isLoading = true; 45 | this.postsService.getPost(this.postId).subscribe(postData => { 46 | this.isLoading = false; 47 | this.post = { 48 | id: postData._id, 49 | title: postData.title, 50 | content: postData.content, 51 | imagePath: postData.imagePath 52 | }; 53 | this.form.setValue({ 54 | title: this.post.title, 55 | content: this.post.content, 56 | image: this.post.imagePath 57 | }); 58 | }); 59 | } else { 60 | this.mode = "create"; 61 | this.postId = null; 62 | } 63 | }); 64 | } 65 | 66 | onImagePicked(event: Event) { 67 | const file = (event.target as HTMLInputElement).files[0]; 68 | this.form.patchValue({ image: file }); 69 | this.form.get("image").updateValueAndValidity(); 70 | const reader = new FileReader(); 71 | reader.onload = () => { 72 | this.imagePreview = reader.result as string; 73 | }; 74 | reader.readAsDataURL(file); 75 | } 76 | 77 | onSavePost() { 78 | if (this.form.invalid) { 79 | return; 80 | } 81 | this.isLoading = true; 82 | if (this.mode === "create") { 83 | this.postsService.addPost( 84 | this.form.value.title, 85 | this.form.value.content, 86 | this.form.value.image 87 | ); 88 | } else { 89 | this.postsService.updatePost( 90 | this.postId, 91 | this.form.value.title, 92 | this.form.value.content, 93 | this.form.value.image 94 | ); 95 | } 96 | this.form.reset(); 97 | } 98 | } 99 | -------------------------------------------------------------------------------- /tslint.json: -------------------------------------------------------------------------------- 1 | { 2 | "rulesDirectory": [ 3 | "node_modules/codelyzer" 4 | ], 5 | "rules": { 6 | "arrow-return-shorthand": true, 7 | "callable-types": true, 8 | "class-name": true, 9 | "comment-format": [ 10 | true, 11 | "check-space" 12 | ], 13 | "curly": true, 14 | "deprecation": { 15 | "severity": "warn" 16 | }, 17 | "eofline": true, 18 | "forin": true, 19 | "import-blacklist": [ 20 | true, 21 | "rxjs/Rx" 22 | ], 23 | "import-spacing": true, 24 | "indent": [ 25 | true, 26 | "spaces" 27 | ], 28 | "interface-over-type-literal": true, 29 | "label-position": true, 30 | "max-line-length": [ 31 | true, 32 | 140 33 | ], 34 | "member-access": false, 35 | "member-ordering": [ 36 | true, 37 | { 38 | "order": [ 39 | "static-field", 40 | "instance-field", 41 | "static-method", 42 | "instance-method" 43 | ] 44 | } 45 | ], 46 | "no-arg": true, 47 | "no-bitwise": true, 48 | "no-console": [ 49 | true, 50 | "debug", 51 | "info", 52 | "time", 53 | "timeEnd", 54 | "trace" 55 | ], 56 | "no-construct": true, 57 | "no-debugger": true, 58 | "no-duplicate-super": true, 59 | "no-empty": false, 60 | "no-empty-interface": true, 61 | "no-eval": true, 62 | "no-inferrable-types": [ 63 | true, 64 | "ignore-params" 65 | ], 66 | "no-misused-new": true, 67 | "no-non-null-assertion": true, 68 | "no-shadowed-variable": true, 69 | "no-string-literal": false, 70 | "no-string-throw": true, 71 | "no-switch-case-fall-through": true, 72 | "no-trailing-whitespace": true, 73 | "no-unnecessary-initializer": true, 74 | "no-unused-expression": true, 75 | "no-use-before-declare": true, 76 | "no-var-keyword": true, 77 | "object-literal-sort-keys": false, 78 | "one-line": [ 79 | true, 80 | "check-open-brace", 81 | "check-catch", 82 | "check-else", 83 | "check-whitespace" 84 | ], 85 | "prefer-const": true, 86 | "quotemark": [ 87 | true, 88 | "single" 89 | ], 90 | "radix": true, 91 | "semicolon": [ 92 | true, 93 | "always" 94 | ], 95 | "triple-equals": [ 96 | true, 97 | "allow-null-check" 98 | ], 99 | "typedef-whitespace": [ 100 | true, 101 | { 102 | "call-signature": "nospace", 103 | "index-signature": "nospace", 104 | "parameter": "nospace", 105 | "property-declaration": "nospace", 106 | "variable-declaration": "nospace" 107 | } 108 | ], 109 | "unified-signatures": true, 110 | "variable-name": false, 111 | "whitespace": [ 112 | true, 113 | "check-branch", 114 | "check-decl", 115 | "check-operator", 116 | "check-separator", 117 | "check-type" 118 | ], 119 | "no-output-on-prefix": true, 120 | "use-input-property-decorator": true, 121 | "use-output-property-decorator": true, 122 | "use-host-property-decorator": true, 123 | "no-input-rename": true, 124 | "no-output-rename": true, 125 | "use-life-cycle-interface": true, 126 | "use-pipe-transform-interface": true, 127 | "component-class-suffix": true, 128 | "directive-class-suffix": true 129 | } 130 | } 131 | -------------------------------------------------------------------------------- /src/polyfills.ts: -------------------------------------------------------------------------------- 1 | /** 2 | * This file includes polyfills needed by Angular and is loaded before the app. 3 | * You can add your own extra polyfills to this file. 4 | * 5 | * This file is divided into 2 sections: 6 | * 1. Browser polyfills. These are applied before loading ZoneJS and are sorted by browsers. 7 | * 2. Application imports. Files imported after ZoneJS that should be loaded before your main 8 | * file. 9 | * 10 | * The current setup is for so-called "evergreen" browsers; the last versions of browsers that 11 | * automatically update themselves. This includes Safari >= 10, Chrome >= 55 (including Opera), 12 | * Edge >= 13 on the desktop, and iOS 10 and Chrome on mobile. 13 | * 14 | * Learn more in https://angular.io/docs/ts/latest/guide/browser-support.html 15 | */ 16 | 17 | /*************************************************************************************************** 18 | * BROWSER POLYFILLS 19 | */ 20 | 21 | /** IE9, IE10 and IE11 requires all of the following polyfills. **/ 22 | // import 'core-js/es6/symbol'; 23 | // import 'core-js/es6/object'; 24 | // import 'core-js/es6/function'; 25 | // import 'core-js/es6/parse-int'; 26 | // import 'core-js/es6/parse-float'; 27 | // import 'core-js/es6/number'; 28 | // import 'core-js/es6/math'; 29 | // import 'core-js/es6/string'; 30 | // import 'core-js/es6/date'; 31 | // import 'core-js/es6/array'; 32 | // import 'core-js/es6/regexp'; 33 | // import 'core-js/es6/map'; 34 | // import 'core-js/es6/weak-map'; 35 | // import 'core-js/es6/set'; 36 | 37 | /** IE10 and IE11 requires the following for NgClass support on SVG elements */ 38 | // import 'classlist.js'; // Run `npm install --save classlist.js`. 39 | 40 | /** IE10 and IE11 requires the following for the Reflect API. */ 41 | // import 'core-js/es6/reflect'; 42 | 43 | 44 | /** Evergreen browsers require these. **/ 45 | // Used for reflect-metadata in JIT. If you use AOT (and only Angular decorators), you can remove. 46 | // import 'core-js/es7/reflect'; 47 | 48 | 49 | /** 50 | * Web Animations `@angular/platform-browser/animations` 51 | * Only required if AnimationBuilder is used within the application and using IE/Edge or Safari. 52 | * Standard animation support in Angular DOES NOT require any polyfills (as of Angular 6.0). 53 | **/ 54 | // import 'web-animations-js'; // Run `npm install --save web-animations-js`. 55 | 56 | /** 57 | * By default, zone.js will patch all possible macroTask and DomEvents 58 | * user can disable parts of macroTask/DomEvents patch by setting following flags 59 | */ 60 | 61 | // (window as any).__Zone_disable_requestAnimationFrame = true; // disable patch requestAnimationFrame 62 | // (window as any).__Zone_disable_on_property = true; // disable patch onProperty such as onclick 63 | // (window as any).__zone_symbol__BLACK_LISTED_EVENTS = ['scroll', 'mousemove']; // disable patch specified eventNames 64 | 65 | /* 66 | * in IE/Edge developer tools, the addEventListener will also be wrapped by zone.js 67 | * with the following flag, it will bypass `zone.js` patch for IE/Edge 68 | */ 69 | // (window as any).__Zone_enable_cross_context_check = true; 70 | 71 | /*************************************************************************************************** 72 | * Zone JS is required by default for Angular itself. 73 | */ 74 | import 'zone.js/dist/zone'; // Included with Angular CLI. 75 | 76 | 77 | 78 | /*************************************************************************************************** 79 | * APPLICATION IMPORTS 80 | */ 81 | -------------------------------------------------------------------------------- /src/app/posts/posts.service.ts: -------------------------------------------------------------------------------- 1 | import { Injectable } from "@angular/core"; 2 | import { HttpClient } from "@angular/common/http"; 3 | import { Subject } from "rxjs"; 4 | import { map } from "rxjs/operators"; 5 | import { Router } from "@angular/router"; 6 | 7 | import { Post } from "./post.model"; 8 | 9 | @Injectable({ providedIn: "root" }) 10 | export class PostsService { 11 | private posts: Post[] = []; 12 | private postsUpdated = new Subject(); 13 | 14 | constructor(private http: HttpClient, private router: Router) {} 15 | 16 | getPosts() { 17 | this.http 18 | .get<{ message: string; posts: any }>("http://localhost:3000/api/posts") 19 | .pipe( 20 | map(postData => { 21 | return postData.posts.map(post => { 22 | return { 23 | title: post.title, 24 | content: post.content, 25 | id: post._id, 26 | imagePath: post.imagePath 27 | }; 28 | }); 29 | }) 30 | ) 31 | .subscribe(transformedPosts => { 32 | this.posts = transformedPosts; 33 | this.postsUpdated.next([...this.posts]); 34 | }); 35 | } 36 | 37 | getPostUpdateListener() { 38 | return this.postsUpdated.asObservable(); 39 | } 40 | 41 | getPost(id: string) { 42 | return this.http.get<{ _id: string, title: string, content: string, imagePath: string }>( 43 | "http://localhost:3000/api/posts/" + id 44 | ); 45 | } 46 | 47 | addPost(title: string, content: string, image: File) { 48 | const postData = new FormData(); 49 | postData.append("title", title); 50 | postData.append("content", content); 51 | postData.append("image", image, title); 52 | this.http 53 | .post<{ message: string; post: Post }>( 54 | "http://localhost:3000/api/posts", 55 | postData 56 | ) 57 | .subscribe(responseData => { 58 | const post: Post = { 59 | id: responseData.post.id, 60 | title: title, 61 | content: content, 62 | imagePath: responseData.post.imagePath 63 | }; 64 | this.posts.push(post); 65 | this.postsUpdated.next([...this.posts]); 66 | this.router.navigate(["/"]); 67 | }); 68 | } 69 | 70 | updatePost(id: string, title: string, content: string, image: File | string) { 71 | let postData: Post | FormData; 72 | if (typeof image === "object") { 73 | postData = new FormData(); 74 | postData.append("id", id); 75 | postData.append("title", title); 76 | postData.append("content", content); 77 | postData.append("image", image, title); 78 | } else { 79 | postData = { 80 | id: id, 81 | title: title, 82 | content: content, 83 | imagePath: image 84 | }; 85 | } 86 | this.http 87 | .put("http://localhost:3000/api/posts/" + id, postData) 88 | .subscribe(response => { 89 | const updatedPosts = [...this.posts]; 90 | const oldPostIndex = updatedPosts.findIndex(p => p.id === id); 91 | const post: Post = { 92 | id: id, 93 | title: title, 94 | content: content, 95 | imagePath: "" 96 | }; 97 | updatedPosts[oldPostIndex] = post; 98 | this.posts = updatedPosts; 99 | this.postsUpdated.next([...this.posts]); 100 | this.router.navigate(["/"]); 101 | }); 102 | } 103 | 104 | deletePost(postId: string) { 105 | this.http 106 | .delete("http://localhost:3000/api/posts/" + postId) 107 | .subscribe(() => { 108 | const updatedPosts = this.posts.filter(post => post.id !== postId); 109 | this.posts = updatedPosts; 110 | this.postsUpdated.next([...this.posts]); 111 | }); 112 | } 113 | } 114 | -------------------------------------------------------------------------------- /angular.json: -------------------------------------------------------------------------------- 1 | { 2 | "$schema": "./node_modules/@angular/cli/lib/config/schema.json", 3 | "version": 1, 4 | "newProjectRoot": "projects", 5 | "projects": { 6 | "mean-course": { 7 | "root": "", 8 | "sourceRoot": "src", 9 | "projectType": "application", 10 | "prefix": "app", 11 | "schematics": {}, 12 | "architect": { 13 | "build": { 14 | "builder": "@angular-devkit/build-angular:browser", 15 | "options": { 16 | "outputPath": "dist/mean-course", 17 | "index": "src/index.html", 18 | "main": "src/main.ts", 19 | "polyfills": "src/polyfills.ts", 20 | "tsConfig": "src/tsconfig.app.json", 21 | "assets": [ 22 | "src/favicon.ico", 23 | "src/assets" 24 | ], 25 | "styles": [ 26 | { 27 | "input": "node_modules/@angular/material/prebuilt-themes/indigo-pink.css" 28 | }, 29 | "src/styles.css" 30 | ], 31 | "scripts": [] 32 | }, 33 | "configurations": { 34 | "production": { 35 | "fileReplacements": [ 36 | { 37 | "replace": "src/environments/environment.ts", 38 | "with": "src/environments/environment.prod.ts" 39 | } 40 | ], 41 | "optimization": true, 42 | "outputHashing": "all", 43 | "sourceMap": false, 44 | "extractCss": true, 45 | "namedChunks": false, 46 | "aot": true, 47 | "extractLicenses": true, 48 | "vendorChunk": false, 49 | "buildOptimizer": true 50 | } 51 | } 52 | }, 53 | "serve": { 54 | "builder": "@angular-devkit/build-angular:dev-server", 55 | "options": { 56 | "browserTarget": "mean-course:build" 57 | }, 58 | "configurations": { 59 | "production": { 60 | "browserTarget": "mean-course:build:production" 61 | } 62 | } 63 | }, 64 | "extract-i18n": { 65 | "builder": "@angular-devkit/build-angular:extract-i18n", 66 | "options": { 67 | "browserTarget": "mean-course:build" 68 | } 69 | }, 70 | "test": { 71 | "builder": "@angular-devkit/build-angular:karma", 72 | "options": { 73 | "main": "src/test.ts", 74 | "polyfills": "src/polyfills.ts", 75 | "tsConfig": "src/tsconfig.spec.json", 76 | "karmaConfig": "src/karma.conf.js", 77 | "styles": [ 78 | { 79 | "input": "node_modules/@angular/material/prebuilt-themes/indigo-pink.css" 80 | }, 81 | "src/styles.css" 82 | ], 83 | "scripts": [], 84 | "assets": [ 85 | "src/favicon.ico", 86 | "src/assets" 87 | ] 88 | } 89 | }, 90 | "lint": { 91 | "builder": "@angular-devkit/build-angular:tslint", 92 | "options": { 93 | "tsConfig": [ 94 | "src/tsconfig.app.json", 95 | "src/tsconfig.spec.json" 96 | ], 97 | "exclude": [ 98 | "**/node_modules/**" 99 | ] 100 | } 101 | } 102 | } 103 | }, 104 | "mean-course-e2e": { 105 | "root": "e2e/", 106 | "projectType": "application", 107 | "architect": { 108 | "e2e": { 109 | "builder": "@angular-devkit/build-angular:protractor", 110 | "options": { 111 | "protractorConfig": "e2e/protractor.conf.js", 112 | "devServerTarget": "mean-course:serve" 113 | } 114 | }, 115 | "lint": { 116 | "builder": "@angular-devkit/build-angular:tslint", 117 | "options": { 118 | "tsConfig": "e2e/tsconfig.e2e.json", 119 | "exclude": [ 120 | "**/node_modules/**" 121 | ] 122 | } 123 | } 124 | } 125 | } 126 | }, 127 | "defaultProject": "mean-course" 128 | } -------------------------------------------------------------------------------- /backend/angular/0.e9f471f63898b4ac0493.js: -------------------------------------------------------------------------------- 1 | (window.webpackJsonp=window.webpackJsonp||[]).push([[0],{cAcB:function(l,n,a){"use strict";a.r(n);var u=a("CcnG"),e=function(){},r=a("NcP4"),i=a("t68o"),t=a("NvT6"),o=a("Blfk"),d=a("dWZg"),c=a("Ip0R"),s=a("seP3"),p=a("bujt"),m=a("UodH"),f=a("lLAP"),g=a("gIcY"),b=a("dJrM"),X=a("Wf4p"),h=a("Fzqc"),_=a("b716"),v=a("/VYK"),C=a("lzlj"),y=a("FVSy"),M=a("qXBG"),w=function(){function l(l){this.authService=l,this.isLoading=!1}return l.prototype.ngOnInit=function(){var l=this;this.authStatusSub=this.authService.getAuthStatusListener().subscribe(function(n){l.isLoading=!1})},l.prototype.onLogin=function(l){l.invalid||(this.isLoading=!0,this.authService.login(l.value.email,l.value.password))},l.prototype.ngOnDestroy=function(){this.authStatusSub.unsubscribe()},l}(),q=u.La({encapsulation:0,styles:[["mat-form-field[_ngcontent-%COMP%]{width:100%}mat-spinner[_ngcontent-%COMP%]{margin:auto}"]],data:{}});function F(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,1,"mat-spinner",[["class","mat-spinner mat-progress-spinner"],["mode","indeterminate"],["role","progressbar"]],[[4,"width","px"],[4,"height","px"]],null,null,t.b,t.a)),u.Ma(1,49152,null,0,o.c,[u.k,d.a,[2,c.d]],null,null)],null,function(l,n){l(n,0,0,u.Xa(n,1).diameter,u.Xa(n,1).diameter)})}function V(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,2,"mat-error",[["class","mat-error"],["role","alert"]],[[1,"id",0]],null,null,null,null)),u.Ma(1,16384,[[4,4]],0,s.b,[],null,null),(l()(),u.eb(-1,null,["Please enter a valid email."]))],null,function(l,n){l(n,0,0,u.Xa(n,1).id)})}function I(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,2,"mat-error",[["class","mat-error"],["role","alert"]],[[1,"id",0]],null,null,null,null)),u.Ma(1,16384,[[11,4]],0,s.b,[],null,null),(l()(),u.eb(-1,null,["Please enter a valid password."]))],null,function(l,n){l(n,0,0,u.Xa(n,1).id)})}function S(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,2,"button",[["color","accent"],["mat-raised-button",""],["type","submit"]],[[8,"disabled",0]],null,null,p.d,p.b)),u.Ma(1,180224,null,0,m.b,[u.k,d.a,f.c],{color:[0,"color"]},null),(l()(),u.eb(-1,0,["Login"]))],function(l,n){l(n,1,0,"accent")},function(l,n){l(n,0,0,u.Xa(n,1).disabled||null)})}function k(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,49,"form",[["novalidate",""]],[[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],[[null,"submit"],[null,"reset"]],function(l,n,a){var e=!0,r=l.component;return"submit"===n&&(e=!1!==u.Xa(l,2).onSubmit(a)&&e),"reset"===n&&(e=!1!==u.Xa(l,2).onReset()&&e),"submit"===n&&(e=!1!==r.onLogin(u.Xa(l,2))&&e),e},null,null)),u.Ma(1,16384,null,0,g.v,[],null,null),u.Ma(2,4210688,[["loginForm",4]],0,g.p,[[8,null],[8,null]],null,null),u.bb(2048,null,g.b,null,[g.p]),u.Ma(4,16384,null,0,g.o,[[4,g.b]],null,null),(l()(),u.Na(5,0,null,null,21,"mat-form-field",[["class","mat-form-field"]],[[2,"mat-form-field-appearance-standard",null],[2,"mat-form-field-appearance-fill",null],[2,"mat-form-field-appearance-outline",null],[2,"mat-form-field-appearance-legacy",null],[2,"mat-form-field-invalid",null],[2,"mat-form-field-can-float",null],[2,"mat-form-field-should-float",null],[2,"mat-form-field-hide-placeholder",null],[2,"mat-form-field-disabled",null],[2,"mat-form-field-autofilled",null],[2,"mat-focused",null],[2,"mat-accent",null],[2,"mat-warn",null],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],null,null,b.b,b.a)),u.Ma(6,7389184,null,7,s.c,[u.k,u.h,[2,X.f],[2,h.b],[2,s.a],d.a],null,null),u.cb(335544320,1,{_control:0}),u.cb(335544320,2,{_placeholderChild:0}),u.cb(335544320,3,{_labelChild:0}),u.cb(603979776,4,{_errorChildren:1}),u.cb(603979776,5,{_hintChildren:1}),u.cb(603979776,6,{_prefixChildren:1}),u.cb(603979776,7,{_suffixChildren:1}),(l()(),u.Na(14,0,null,1,10,"input",[["class","mat-input-element mat-form-field-autofill-control"],["email",""],["matInput",""],["name","email"],["ngModel",""],["placeholder","E-Mail"],["required",""],["type","email"]],[[1,"required",0],[2,"mat-input-server",null],[1,"id",0],[1,"placeholder",0],[8,"disabled",0],[8,"required",0],[8,"readOnly",0],[1,"aria-describedby",0],[1,"aria-invalid",0],[1,"aria-required",0],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],[[null,"input"],[null,"blur"],[null,"compositionstart"],[null,"compositionend"],[null,"focus"]],function(l,n,a){var e=!0;return"input"===n&&(e=!1!==u.Xa(l,18)._handleInput(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,18).onTouched()&&e),"compositionstart"===n&&(e=!1!==u.Xa(l,18)._compositionStart()&&e),"compositionend"===n&&(e=!1!==u.Xa(l,18)._compositionEnd(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,22)._focusChanged(!1)&&e),"focus"===n&&(e=!1!==u.Xa(l,22)._focusChanged(!0)&&e),"input"===n&&(e=!1!==u.Xa(l,22)._onInput()&&e),e},null,null)),u.Ma(15,16384,null,0,g.s,[],{required:[0,"required"]},null),u.Ma(16,16384,null,0,g.d,[],{email:[0,"email"]},null),u.bb(1024,null,g.k,function(l,n){return[l,n]},[g.s,g.d]),u.Ma(18,16384,null,0,g.c,[u.C,u.k,[2,g.a]],null,null),u.bb(1024,null,g.l,function(l){return[l]},[g.c]),u.Ma(20,671744,[["emailInput",4]],0,g.q,[[2,g.b],[6,g.k],[8,null],[6,g.l]],{name:[0,"name"],model:[1,"model"]},null),u.bb(2048,null,g.m,null,[g.q]),u.Ma(22,999424,null,0,_.a,[u.k,d.a,[6,g.m],[2,g.p],[2,g.i],X.b,[8,null],v.a,u.x],{placeholder:[0,"placeholder"],required:[1,"required"],type:[2,"type"]},null),u.Ma(23,16384,null,0,g.n,[[4,g.m]],null,null),u.bb(2048,[[1,4]],s.d,null,[_.a]),(l()(),u.Fa(16777216,null,5,1,null,V)),u.Ma(26,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null),(l()(),u.Na(27,0,null,null,20,"mat-form-field",[["class","mat-form-field"]],[[2,"mat-form-field-appearance-standard",null],[2,"mat-form-field-appearance-fill",null],[2,"mat-form-field-appearance-outline",null],[2,"mat-form-field-appearance-legacy",null],[2,"mat-form-field-invalid",null],[2,"mat-form-field-can-float",null],[2,"mat-form-field-should-float",null],[2,"mat-form-field-hide-placeholder",null],[2,"mat-form-field-disabled",null],[2,"mat-form-field-autofilled",null],[2,"mat-focused",null],[2,"mat-accent",null],[2,"mat-warn",null],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],null,null,b.b,b.a)),u.Ma(28,7389184,null,7,s.c,[u.k,u.h,[2,X.f],[2,h.b],[2,s.a],d.a],null,null),u.cb(335544320,8,{_control:0}),u.cb(335544320,9,{_placeholderChild:0}),u.cb(335544320,10,{_labelChild:0}),u.cb(603979776,11,{_errorChildren:1}),u.cb(603979776,12,{_hintChildren:1}),u.cb(603979776,13,{_prefixChildren:1}),u.cb(603979776,14,{_suffixChildren:1}),(l()(),u.Na(36,0,null,1,9,"input",[["class","mat-input-element mat-form-field-autofill-control"],["matInput",""],["name","password"],["ngModel",""],["placeholder","Password"],["required",""],["type","password"]],[[1,"required",0],[2,"mat-input-server",null],[1,"id",0],[1,"placeholder",0],[8,"disabled",0],[8,"required",0],[8,"readOnly",0],[1,"aria-describedby",0],[1,"aria-invalid",0],[1,"aria-required",0],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],[[null,"input"],[null,"blur"],[null,"compositionstart"],[null,"compositionend"],[null,"focus"]],function(l,n,a){var e=!0;return"input"===n&&(e=!1!==u.Xa(l,39)._handleInput(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,39).onTouched()&&e),"compositionstart"===n&&(e=!1!==u.Xa(l,39)._compositionStart()&&e),"compositionend"===n&&(e=!1!==u.Xa(l,39)._compositionEnd(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,43)._focusChanged(!1)&&e),"focus"===n&&(e=!1!==u.Xa(l,43)._focusChanged(!0)&&e),"input"===n&&(e=!1!==u.Xa(l,43)._onInput()&&e),e},null,null)),u.Ma(37,16384,null,0,g.s,[],{required:[0,"required"]},null),u.bb(1024,null,g.k,function(l){return[l]},[g.s]),u.Ma(39,16384,null,0,g.c,[u.C,u.k,[2,g.a]],null,null),u.bb(1024,null,g.l,function(l){return[l]},[g.c]),u.Ma(41,671744,[["passwordInput",4]],0,g.q,[[2,g.b],[6,g.k],[8,null],[6,g.l]],{name:[0,"name"],model:[1,"model"]},null),u.bb(2048,null,g.m,null,[g.q]),u.Ma(43,999424,null,0,_.a,[u.k,d.a,[6,g.m],[2,g.p],[2,g.i],X.b,[8,null],v.a,u.x],{placeholder:[0,"placeholder"],required:[1,"required"],type:[2,"type"]},null),u.Ma(44,16384,null,0,g.n,[[4,g.m]],null,null),u.bb(2048,[[8,4]],s.d,null,[_.a]),(l()(),u.Fa(16777216,null,5,1,null,I)),u.Ma(47,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null),(l()(),u.Fa(16777216,null,null,1,null,S)),u.Ma(49,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null)],function(l,n){var a=n.component;l(n,15,0,""),l(n,16,0,""),l(n,20,0,"email",""),l(n,22,0,"E-Mail","","email"),l(n,26,0,u.Xa(n,20).invalid),l(n,37,0,""),l(n,41,0,"password",""),l(n,43,0,"Password","","password"),l(n,47,0,u.Xa(n,41).invalid),l(n,49,0,!a.isLoading)},function(l,n){l(n,0,0,u.Xa(n,4).ngClassUntouched,u.Xa(n,4).ngClassTouched,u.Xa(n,4).ngClassPristine,u.Xa(n,4).ngClassDirty,u.Xa(n,4).ngClassValid,u.Xa(n,4).ngClassInvalid,u.Xa(n,4).ngClassPending),l(n,5,1,["standard"==u.Xa(n,6).appearance,"fill"==u.Xa(n,6).appearance,"outline"==u.Xa(n,6).appearance,"legacy"==u.Xa(n,6).appearance,u.Xa(n,6)._control.errorState,u.Xa(n,6)._canLabelFloat,u.Xa(n,6)._shouldLabelFloat(),u.Xa(n,6)._hideControlPlaceholder(),u.Xa(n,6)._control.disabled,u.Xa(n,6)._control.autofilled,u.Xa(n,6)._control.focused,"accent"==u.Xa(n,6).color,"warn"==u.Xa(n,6).color,u.Xa(n,6)._shouldForward("untouched"),u.Xa(n,6)._shouldForward("touched"),u.Xa(n,6)._shouldForward("pristine"),u.Xa(n,6)._shouldForward("dirty"),u.Xa(n,6)._shouldForward("valid"),u.Xa(n,6)._shouldForward("invalid"),u.Xa(n,6)._shouldForward("pending")]),l(n,14,1,[u.Xa(n,15).required?"":null,u.Xa(n,22)._isServer,u.Xa(n,22).id,u.Xa(n,22).placeholder,u.Xa(n,22).disabled,u.Xa(n,22).required,u.Xa(n,22).readonly,u.Xa(n,22)._ariaDescribedby||null,u.Xa(n,22).errorState,u.Xa(n,22).required.toString(),u.Xa(n,23).ngClassUntouched,u.Xa(n,23).ngClassTouched,u.Xa(n,23).ngClassPristine,u.Xa(n,23).ngClassDirty,u.Xa(n,23).ngClassValid,u.Xa(n,23).ngClassInvalid,u.Xa(n,23).ngClassPending]),l(n,27,1,["standard"==u.Xa(n,28).appearance,"fill"==u.Xa(n,28).appearance,"outline"==u.Xa(n,28).appearance,"legacy"==u.Xa(n,28).appearance,u.Xa(n,28)._control.errorState,u.Xa(n,28)._canLabelFloat,u.Xa(n,28)._shouldLabelFloat(),u.Xa(n,28)._hideControlPlaceholder(),u.Xa(n,28)._control.disabled,u.Xa(n,28)._control.autofilled,u.Xa(n,28)._control.focused,"accent"==u.Xa(n,28).color,"warn"==u.Xa(n,28).color,u.Xa(n,28)._shouldForward("untouched"),u.Xa(n,28)._shouldForward("touched"),u.Xa(n,28)._shouldForward("pristine"),u.Xa(n,28)._shouldForward("dirty"),u.Xa(n,28)._shouldForward("valid"),u.Xa(n,28)._shouldForward("invalid"),u.Xa(n,28)._shouldForward("pending")]),l(n,36,1,[u.Xa(n,37).required?"":null,u.Xa(n,43)._isServer,u.Xa(n,43).id,u.Xa(n,43).placeholder,u.Xa(n,43).disabled,u.Xa(n,43).required,u.Xa(n,43).readonly,u.Xa(n,43)._ariaDescribedby||null,u.Xa(n,43).errorState,u.Xa(n,43).required.toString(),u.Xa(n,44).ngClassUntouched,u.Xa(n,44).ngClassTouched,u.Xa(n,44).ngClassPristine,u.Xa(n,44).ngClassDirty,u.Xa(n,44).ngClassValid,u.Xa(n,44).ngClassInvalid,u.Xa(n,44).ngClassPending])})}function N(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,5,"mat-card",[["class","mat-card"]],null,null,null,C.b,C.a)),u.Ma(1,49152,null,0,y.a,[],null,null),(l()(),u.Fa(16777216,null,0,1,null,F)),u.Ma(3,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null),(l()(),u.Fa(16777216,null,0,1,null,k)),u.Ma(5,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null)],function(l,n){var a=n.component;l(n,3,0,a.isLoading),l(n,5,0,!a.isLoading)},null)}var P=u.Ja("ng-component",w,function(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,1,"ng-component",[],null,null,null,N,q)),u.Ma(1,245760,null,0,w,[M.a],null,null)],function(l,n){l(n,1,0)},null)},{},{},[]),L=function(){function l(l){this.authService=l,this.isLoading=!1}return l.prototype.ngOnInit=function(){var l=this;this.authStatusSub=this.authService.getAuthStatusListener().subscribe(function(n){l.isLoading=!1})},l.prototype.onSignup=function(l){l.invalid||(this.isLoading=!0,this.authService.createUser(l.value.email,l.value.password))},l.prototype.ngOnDestroy=function(){this.authStatusSub.unsubscribe()},l}(),x=u.La({encapsulation:0,styles:[["mat-form-field[_ngcontent-%COMP%]{width:100%}mat-spinner[_ngcontent-%COMP%]{margin:auto}"]],data:{}});function D(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,1,"mat-spinner",[["class","mat-spinner mat-progress-spinner"],["mode","indeterminate"],["role","progressbar"]],[[4,"width","px"],[4,"height","px"]],null,null,t.b,t.a)),u.Ma(1,49152,null,0,o.c,[u.k,d.a,[2,c.d]],null,null)],null,function(l,n){l(n,0,0,u.Xa(n,1).diameter,u.Xa(n,1).diameter)})}function O(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,2,"mat-error",[["class","mat-error"],["role","alert"]],[[1,"id",0]],null,null,null,null)),u.Ma(1,16384,[[4,4]],0,s.b,[],null,null),(l()(),u.eb(-1,null,["Please enter a valid email."]))],null,function(l,n){l(n,0,0,u.Xa(n,1).id)})}function j(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,2,"mat-error",[["class","mat-error"],["role","alert"]],[[1,"id",0]],null,null,null,null)),u.Ma(1,16384,[[11,4]],0,s.b,[],null,null),(l()(),u.eb(-1,null,["Please enter a valid password."]))],null,function(l,n){l(n,0,0,u.Xa(n,1).id)})}function K(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,2,"button",[["color","accent"],["mat-raised-button",""],["type","submit"]],[[8,"disabled",0]],null,null,p.d,p.b)),u.Ma(1,180224,null,0,m.b,[u.k,d.a,f.c],{color:[0,"color"]},null),(l()(),u.eb(-1,0,["Signup"]))],function(l,n){l(n,1,0,"accent")},function(l,n){l(n,0,0,u.Xa(n,1).disabled||null)})}function T(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,49,"form",[["novalidate",""]],[[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],[[null,"submit"],[null,"reset"]],function(l,n,a){var e=!0,r=l.component;return"submit"===n&&(e=!1!==u.Xa(l,2).onSubmit(a)&&e),"reset"===n&&(e=!1!==u.Xa(l,2).onReset()&&e),"submit"===n&&(e=!1!==r.onSignup(u.Xa(l,2))&&e),e},null,null)),u.Ma(1,16384,null,0,g.v,[],null,null),u.Ma(2,4210688,[["signupForm",4]],0,g.p,[[8,null],[8,null]],null,null),u.bb(2048,null,g.b,null,[g.p]),u.Ma(4,16384,null,0,g.o,[[4,g.b]],null,null),(l()(),u.Na(5,0,null,null,21,"mat-form-field",[["class","mat-form-field"]],[[2,"mat-form-field-appearance-standard",null],[2,"mat-form-field-appearance-fill",null],[2,"mat-form-field-appearance-outline",null],[2,"mat-form-field-appearance-legacy",null],[2,"mat-form-field-invalid",null],[2,"mat-form-field-can-float",null],[2,"mat-form-field-should-float",null],[2,"mat-form-field-hide-placeholder",null],[2,"mat-form-field-disabled",null],[2,"mat-form-field-autofilled",null],[2,"mat-focused",null],[2,"mat-accent",null],[2,"mat-warn",null],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],null,null,b.b,b.a)),u.Ma(6,7389184,null,7,s.c,[u.k,u.h,[2,X.f],[2,h.b],[2,s.a],d.a],null,null),u.cb(335544320,1,{_control:0}),u.cb(335544320,2,{_placeholderChild:0}),u.cb(335544320,3,{_labelChild:0}),u.cb(603979776,4,{_errorChildren:1}),u.cb(603979776,5,{_hintChildren:1}),u.cb(603979776,6,{_prefixChildren:1}),u.cb(603979776,7,{_suffixChildren:1}),(l()(),u.Na(14,0,null,1,10,"input",[["class","mat-input-element mat-form-field-autofill-control"],["email",""],["matInput",""],["name","email"],["ngModel",""],["placeholder","E-Mail"],["required",""],["type","email"]],[[1,"required",0],[2,"mat-input-server",null],[1,"id",0],[1,"placeholder",0],[8,"disabled",0],[8,"required",0],[8,"readOnly",0],[1,"aria-describedby",0],[1,"aria-invalid",0],[1,"aria-required",0],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],[[null,"input"],[null,"blur"],[null,"compositionstart"],[null,"compositionend"],[null,"focus"]],function(l,n,a){var e=!0;return"input"===n&&(e=!1!==u.Xa(l,18)._handleInput(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,18).onTouched()&&e),"compositionstart"===n&&(e=!1!==u.Xa(l,18)._compositionStart()&&e),"compositionend"===n&&(e=!1!==u.Xa(l,18)._compositionEnd(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,22)._focusChanged(!1)&&e),"focus"===n&&(e=!1!==u.Xa(l,22)._focusChanged(!0)&&e),"input"===n&&(e=!1!==u.Xa(l,22)._onInput()&&e),e},null,null)),u.Ma(15,16384,null,0,g.s,[],{required:[0,"required"]},null),u.Ma(16,16384,null,0,g.d,[],{email:[0,"email"]},null),u.bb(1024,null,g.k,function(l,n){return[l,n]},[g.s,g.d]),u.Ma(18,16384,null,0,g.c,[u.C,u.k,[2,g.a]],null,null),u.bb(1024,null,g.l,function(l){return[l]},[g.c]),u.Ma(20,671744,[["emailInput",4]],0,g.q,[[2,g.b],[6,g.k],[8,null],[6,g.l]],{name:[0,"name"],model:[1,"model"]},null),u.bb(2048,null,g.m,null,[g.q]),u.Ma(22,999424,null,0,_.a,[u.k,d.a,[6,g.m],[2,g.p],[2,g.i],X.b,[8,null],v.a,u.x],{placeholder:[0,"placeholder"],required:[1,"required"],type:[2,"type"]},null),u.Ma(23,16384,null,0,g.n,[[4,g.m]],null,null),u.bb(2048,[[1,4]],s.d,null,[_.a]),(l()(),u.Fa(16777216,null,5,1,null,O)),u.Ma(26,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null),(l()(),u.Na(27,0,null,null,20,"mat-form-field",[["class","mat-form-field"]],[[2,"mat-form-field-appearance-standard",null],[2,"mat-form-field-appearance-fill",null],[2,"mat-form-field-appearance-outline",null],[2,"mat-form-field-appearance-legacy",null],[2,"mat-form-field-invalid",null],[2,"mat-form-field-can-float",null],[2,"mat-form-field-should-float",null],[2,"mat-form-field-hide-placeholder",null],[2,"mat-form-field-disabled",null],[2,"mat-form-field-autofilled",null],[2,"mat-focused",null],[2,"mat-accent",null],[2,"mat-warn",null],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],null,null,b.b,b.a)),u.Ma(28,7389184,null,7,s.c,[u.k,u.h,[2,X.f],[2,h.b],[2,s.a],d.a],null,null),u.cb(335544320,8,{_control:0}),u.cb(335544320,9,{_placeholderChild:0}),u.cb(335544320,10,{_labelChild:0}),u.cb(603979776,11,{_errorChildren:1}),u.cb(603979776,12,{_hintChildren:1}),u.cb(603979776,13,{_prefixChildren:1}),u.cb(603979776,14,{_suffixChildren:1}),(l()(),u.Na(36,0,null,1,9,"input",[["class","mat-input-element mat-form-field-autofill-control"],["matInput",""],["name","password"],["ngModel",""],["placeholder","Password"],["required",""],["type","password"]],[[1,"required",0],[2,"mat-input-server",null],[1,"id",0],[1,"placeholder",0],[8,"disabled",0],[8,"required",0],[8,"readOnly",0],[1,"aria-describedby",0],[1,"aria-invalid",0],[1,"aria-required",0],[2,"ng-untouched",null],[2,"ng-touched",null],[2,"ng-pristine",null],[2,"ng-dirty",null],[2,"ng-valid",null],[2,"ng-invalid",null],[2,"ng-pending",null]],[[null,"input"],[null,"blur"],[null,"compositionstart"],[null,"compositionend"],[null,"focus"]],function(l,n,a){var e=!0;return"input"===n&&(e=!1!==u.Xa(l,39)._handleInput(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,39).onTouched()&&e),"compositionstart"===n&&(e=!1!==u.Xa(l,39)._compositionStart()&&e),"compositionend"===n&&(e=!1!==u.Xa(l,39)._compositionEnd(a.target.value)&&e),"blur"===n&&(e=!1!==u.Xa(l,43)._focusChanged(!1)&&e),"focus"===n&&(e=!1!==u.Xa(l,43)._focusChanged(!0)&&e),"input"===n&&(e=!1!==u.Xa(l,43)._onInput()&&e),e},null,null)),u.Ma(37,16384,null,0,g.s,[],{required:[0,"required"]},null),u.bb(1024,null,g.k,function(l){return[l]},[g.s]),u.Ma(39,16384,null,0,g.c,[u.C,u.k,[2,g.a]],null,null),u.bb(1024,null,g.l,function(l){return[l]},[g.c]),u.Ma(41,671744,[["passwordInput",4]],0,g.q,[[2,g.b],[6,g.k],[8,null],[6,g.l]],{name:[0,"name"],model:[1,"model"]},null),u.bb(2048,null,g.m,null,[g.q]),u.Ma(43,999424,null,0,_.a,[u.k,d.a,[6,g.m],[2,g.p],[2,g.i],X.b,[8,null],v.a,u.x],{placeholder:[0,"placeholder"],required:[1,"required"],type:[2,"type"]},null),u.Ma(44,16384,null,0,g.n,[[4,g.m]],null,null),u.bb(2048,[[8,4]],s.d,null,[_.a]),(l()(),u.Fa(16777216,null,5,1,null,j)),u.Ma(47,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null),(l()(),u.Fa(16777216,null,null,1,null,K)),u.Ma(49,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null)],function(l,n){var a=n.component;l(n,15,0,""),l(n,16,0,""),l(n,20,0,"email",""),l(n,22,0,"E-Mail","","email"),l(n,26,0,u.Xa(n,20).invalid),l(n,37,0,""),l(n,41,0,"password",""),l(n,43,0,"Password","","password"),l(n,47,0,u.Xa(n,41).invalid),l(n,49,0,!a.isLoading)},function(l,n){l(n,0,0,u.Xa(n,4).ngClassUntouched,u.Xa(n,4).ngClassTouched,u.Xa(n,4).ngClassPristine,u.Xa(n,4).ngClassDirty,u.Xa(n,4).ngClassValid,u.Xa(n,4).ngClassInvalid,u.Xa(n,4).ngClassPending),l(n,5,1,["standard"==u.Xa(n,6).appearance,"fill"==u.Xa(n,6).appearance,"outline"==u.Xa(n,6).appearance,"legacy"==u.Xa(n,6).appearance,u.Xa(n,6)._control.errorState,u.Xa(n,6)._canLabelFloat,u.Xa(n,6)._shouldLabelFloat(),u.Xa(n,6)._hideControlPlaceholder(),u.Xa(n,6)._control.disabled,u.Xa(n,6)._control.autofilled,u.Xa(n,6)._control.focused,"accent"==u.Xa(n,6).color,"warn"==u.Xa(n,6).color,u.Xa(n,6)._shouldForward("untouched"),u.Xa(n,6)._shouldForward("touched"),u.Xa(n,6)._shouldForward("pristine"),u.Xa(n,6)._shouldForward("dirty"),u.Xa(n,6)._shouldForward("valid"),u.Xa(n,6)._shouldForward("invalid"),u.Xa(n,6)._shouldForward("pending")]),l(n,14,1,[u.Xa(n,15).required?"":null,u.Xa(n,22)._isServer,u.Xa(n,22).id,u.Xa(n,22).placeholder,u.Xa(n,22).disabled,u.Xa(n,22).required,u.Xa(n,22).readonly,u.Xa(n,22)._ariaDescribedby||null,u.Xa(n,22).errorState,u.Xa(n,22).required.toString(),u.Xa(n,23).ngClassUntouched,u.Xa(n,23).ngClassTouched,u.Xa(n,23).ngClassPristine,u.Xa(n,23).ngClassDirty,u.Xa(n,23).ngClassValid,u.Xa(n,23).ngClassInvalid,u.Xa(n,23).ngClassPending]),l(n,27,1,["standard"==u.Xa(n,28).appearance,"fill"==u.Xa(n,28).appearance,"outline"==u.Xa(n,28).appearance,"legacy"==u.Xa(n,28).appearance,u.Xa(n,28)._control.errorState,u.Xa(n,28)._canLabelFloat,u.Xa(n,28)._shouldLabelFloat(),u.Xa(n,28)._hideControlPlaceholder(),u.Xa(n,28)._control.disabled,u.Xa(n,28)._control.autofilled,u.Xa(n,28)._control.focused,"accent"==u.Xa(n,28).color,"warn"==u.Xa(n,28).color,u.Xa(n,28)._shouldForward("untouched"),u.Xa(n,28)._shouldForward("touched"),u.Xa(n,28)._shouldForward("pristine"),u.Xa(n,28)._shouldForward("dirty"),u.Xa(n,28)._shouldForward("valid"),u.Xa(n,28)._shouldForward("invalid"),u.Xa(n,28)._shouldForward("pending")]),l(n,36,1,[u.Xa(n,37).required?"":null,u.Xa(n,43)._isServer,u.Xa(n,43).id,u.Xa(n,43).placeholder,u.Xa(n,43).disabled,u.Xa(n,43).required,u.Xa(n,43).readonly,u.Xa(n,43)._ariaDescribedby||null,u.Xa(n,43).errorState,u.Xa(n,43).required.toString(),u.Xa(n,44).ngClassUntouched,u.Xa(n,44).ngClassTouched,u.Xa(n,44).ngClassPristine,u.Xa(n,44).ngClassDirty,u.Xa(n,44).ngClassValid,u.Xa(n,44).ngClassInvalid,u.Xa(n,44).ngClassPending])})}function U(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,5,"mat-card",[["class","mat-card"]],null,null,null,C.b,C.a)),u.Ma(1,49152,null,0,y.a,[],null,null),(l()(),u.Fa(16777216,null,0,1,null,D)),u.Ma(3,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null),(l()(),u.Fa(16777216,null,0,1,null,T)),u.Ma(5,16384,null,0,c.k,[u.N,u.K],{ngIf:[0,"ngIf"]},null)],function(l,n){var a=n.component;l(n,3,0,a.isLoading),l(n,5,0,!a.isLoading)},null)}var E=u.Ja("ng-component",L,function(l){return u.gb(0,[(l()(),u.Na(0,0,null,null,1,"ng-component",[],null,null,null,U,x)),u.Ma(1,245760,null,0,L,[M.a],null,null)],function(l,n){l(n,1,0)},null)},{},{},[]),A=a("eDkP"),J=a("uGex"),Y=a("4epT"),B=a("o3x0"),G=a("8mMr"),R=a("YhbO"),Z=a("4c35"),z=a("jlZm"),W=a("qAlS"),H=a("v9Dh"),Q=a("rhD1"),$=a("ZYCi"),ll=function(){};a.d(n,"AuthModuleNgFactory",function(){return nl});var nl=u.Ka(e,[],function(l){return u.Ua([u.Va(512,u.j,u.Aa,[[8,[r.a,i.a,P,E]],[3,u.j],u.v]),u.Va(4608,c.m,c.l,[u.s,[2,c.u]]),u.Va(4608,X.b,X.b,[]),u.Va(4608,A.c,A.c,[A.i,A.e,u.j,A.h,A.f,u.p,u.x,c.d,h.b]),u.Va(5120,J.a,J.b,[A.c]),u.Va(5120,Y.c,Y.a,[[3,Y.c]]),u.Va(5120,B.c,B.d,[A.c]),u.Va(4608,B.e,B.e,[A.c,u.p,[2,c.g],[2,B.b],B.c,[3,B.e],A.e]),u.Va(4608,g.w,g.w,[]),u.Va(1073742336,c.c,c.c,[]),u.Va(1073742336,d.b,d.b,[]),u.Va(1073742336,v.c,v.c,[]),u.Va(1073742336,s.e,s.e,[]),u.Va(1073742336,_.b,_.b,[]),u.Va(1073742336,h.a,h.a,[]),u.Va(1073742336,X.j,X.j,[[2,X.c]]),u.Va(1073742336,y.c,y.c,[]),u.Va(1073742336,X.s,X.s,[]),u.Va(1073742336,m.c,m.c,[]),u.Va(1073742336,G.b,G.b,[]),u.Va(1073742336,R.c,R.c,[]),u.Va(1073742336,Z.f,Z.f,[]),u.Va(1073742336,z.b,z.b,[]),u.Va(1073742336,o.b,o.b,[]),u.Va(1073742336,W.a,W.a,[]),u.Va(1073742336,A.g,A.g,[]),u.Va(1073742336,X.q,X.q,[]),u.Va(1073742336,X.o,X.o,[]),u.Va(1073742336,J.d,J.d,[]),u.Va(1073742336,H.d,H.d,[]),u.Va(1073742336,Y.d,Y.d,[]),u.Va(1073742336,B.j,B.j,[]),u.Va(1073742336,Q.a,Q.a,[]),u.Va(1073742336,g.u,g.u,[]),u.Va(1073742336,g.j,g.j,[]),u.Va(1073742336,$.n,$.n,[[2,$.s],[2,$.k]]),u.Va(1073742336,ll,ll,[]),u.Va(1073742336,e,e,[]),u.Va(1024,$.i,function(){return[[{path:"login",component:w},{path:"signup",component:L}]]},[])])})}}]); -------------------------------------------------------------------------------- /backend/angular/3rdpartylicenses.txt: -------------------------------------------------------------------------------- 1 | @angular/material@6.0.2 2 | MIT 3 | The MIT License 4 | 5 | Copyright (c) 2018 Google LLC. 6 | 7 | Permission is hereby granted, free of charge, to any person obtaining a copy 8 | of this software and associated documentation files (the "Software"), to deal 9 | in the Software without restriction, including without limitation the rights 10 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 11 | copies of the Software, and to permit persons to whom the Software is 12 | furnished to do so, subject to the following conditions: 13 | 14 | The above copyright notice and this permission notice shall be included in 15 | all copies or substantial portions of the Software. 16 | 17 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 18 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 19 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 20 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 21 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 22 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN 23 | THE SOFTWARE. 24 | 25 | core-js@2.5.6 26 | MIT 27 | Copyright (c) 2014-2018 Denis Pushkarev 28 | 29 | Permission is hereby granted, free of charge, to any person obtaining a copy 30 | of this software and associated documentation files (the "Software"), to deal 31 | in the Software without restriction, including without limitation the rights 32 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 33 | copies of the Software, and to permit persons to whom the Software is 34 | furnished to do so, subject to the following conditions: 35 | 36 | The above copyright notice and this permission notice shall be included in 37 | all copies or substantial portions of the Software. 38 | 39 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 40 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 41 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 42 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 43 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 44 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN 45 | THE SOFTWARE. 46 | 47 | zone.js@0.8.26 48 | MIT 49 | The MIT License 50 | 51 | Copyright (c) 2016-2018 Google, Inc. 52 | 53 | Permission is hereby granted, free of charge, to any person obtaining a copy 54 | of this software and associated documentation files (the "Software"), to deal 55 | in the Software without restriction, including without limitation the rights 56 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 57 | copies of the Software, and to permit persons to whom the Software is 58 | furnished to do so, subject to the following conditions: 59 | 60 | The above copyright notice and this permission notice shall be included in 61 | all copies or substantial portions of the Software. 62 | 63 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 64 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 65 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 66 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 67 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 68 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN 69 | THE SOFTWARE. 70 | 71 | @angular/platform-browser@6.0.1 72 | MIT 73 | MIT 74 | 75 | tslib@1.9.0 76 | Apache-2.0 77 | Apache License 78 | 79 | Version 2.0, January 2004 80 | 81 | http://www.apache.org/licenses/ 82 | 83 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 84 | 85 | 1. Definitions. 86 | 87 | "License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document. 88 | 89 | "Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License. 90 | 91 | "Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity. 92 | 93 | "You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License. 94 | 95 | "Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files. 96 | 97 | "Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types. 98 | 99 | "Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below). 100 | 101 | "Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof. 102 | 103 | "Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution." 104 | 105 | "Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work. 106 | 107 | 2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form. 108 | 109 | 3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed. 110 | 111 | 4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions: 112 | 113 | You must give any other recipients of the Work or Derivative Works a copy of this License; and 114 | 115 | You must cause any modified files to carry prominent notices stating that You changed the files; and 116 | 117 | You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and 118 | 119 | If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License. 120 | 121 | 5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions. 122 | 123 | 6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file. 124 | 125 | 7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License. 126 | 127 | 8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages. 128 | 129 | 9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability. 130 | 131 | END OF TERMS AND CONDITIONS 132 | 133 | @angular/common@6.0.1 134 | MIT 135 | MIT 136 | 137 | rxjs@6.1.0 138 | Apache-2.0 139 | Apache License 140 | Version 2.0, January 2004 141 | http://www.apache.org/licenses/ 142 | 143 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 144 | 145 | 1. Definitions. 146 | 147 | "License" shall mean the terms and conditions for use, reproduction, 148 | and distribution as defined by Sections 1 through 9 of this document. 149 | 150 | "Licensor" shall mean the copyright owner or entity authorized by 151 | the copyright owner that is granting the License. 152 | 153 | "Legal Entity" shall mean the union of the acting entity and all 154 | other entities that control, are controlled by, or are under common 155 | control with that entity. For the purposes of this definition, 156 | "control" means (i) the power, direct or indirect, to cause the 157 | direction or management of such entity, whether by contract or 158 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 159 | outstanding shares, or (iii) beneficial ownership of such entity. 160 | 161 | "You" (or "Your") shall mean an individual or Legal Entity 162 | exercising permissions granted by this License. 163 | 164 | "Source" form shall mean the preferred form for making modifications, 165 | including but not limited to software source code, documentation 166 | source, and configuration files. 167 | 168 | "Object" form shall mean any form resulting from mechanical 169 | transformation or translation of a Source form, including but 170 | not limited to compiled object code, generated documentation, 171 | and conversions to other media types. 172 | 173 | "Work" shall mean the work of authorship, whether in Source or 174 | Object form, made available under the License, as indicated by a 175 | copyright notice that is included in or attached to the work 176 | (an example is provided in the Appendix below). 177 | 178 | "Derivative Works" shall mean any work, whether in Source or Object 179 | form, that is based on (or derived from) the Work and for which the 180 | editorial revisions, annotations, elaborations, or other modifications 181 | represent, as a whole, an original work of authorship. For the purposes 182 | of this License, Derivative Works shall not include works that remain 183 | separable from, or merely link (or bind by name) to the interfaces of, 184 | the Work and Derivative Works thereof. 185 | 186 | "Contribution" shall mean any work of authorship, including 187 | the original version of the Work and any modifications or additions 188 | to that Work or Derivative Works thereof, that is intentionally 189 | submitted to Licensor for inclusion in the Work by the copyright owner 190 | or by an individual or Legal Entity authorized to submit on behalf of 191 | the copyright owner. For the purposes of this definition, "submitted" 192 | means any form of electronic, verbal, or written communication sent 193 | to the Licensor or its representatives, including but not limited to 194 | communication on electronic mailing lists, source code control systems, 195 | and issue tracking systems that are managed by, or on behalf of, the 196 | Licensor for the purpose of discussing and improving the Work, but 197 | excluding communication that is conspicuously marked or otherwise 198 | designated in writing by the copyright owner as "Not a Contribution." 199 | 200 | "Contributor" shall mean Licensor and any individual or Legal Entity 201 | on behalf of whom a Contribution has been received by Licensor and 202 | subsequently incorporated within the Work. 203 | 204 | 2. Grant of Copyright License. Subject to the terms and conditions of 205 | this License, each Contributor hereby grants to You a perpetual, 206 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 207 | copyright license to reproduce, prepare Derivative Works of, 208 | publicly display, publicly perform, sublicense, and distribute the 209 | Work and such Derivative Works in Source or Object form. 210 | 211 | 3. Grant of Patent License. Subject to the terms and conditions of 212 | this License, each Contributor hereby grants to You a perpetual, 213 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 214 | (except as stated in this section) patent license to make, have made, 215 | use, offer to sell, sell, import, and otherwise transfer the Work, 216 | where such license applies only to those patent claims licensable 217 | by such Contributor that are necessarily infringed by their 218 | Contribution(s) alone or by combination of their Contribution(s) 219 | with the Work to which such Contribution(s) was submitted. If You 220 | institute patent litigation against any entity (including a 221 | cross-claim or counterclaim in a lawsuit) alleging that the Work 222 | or a Contribution incorporated within the Work constitutes direct 223 | or contributory patent infringement, then any patent licenses 224 | granted to You under this License for that Work shall terminate 225 | as of the date such litigation is filed. 226 | 227 | 4. Redistribution. You may reproduce and distribute copies of the 228 | Work or Derivative Works thereof in any medium, with or without 229 | modifications, and in Source or Object form, provided that You 230 | meet the following conditions: 231 | 232 | (a) You must give any other recipients of the Work or 233 | Derivative Works a copy of this License; and 234 | 235 | (b) You must cause any modified files to carry prominent notices 236 | stating that You changed the files; and 237 | 238 | (c) You must retain, in the Source form of any Derivative Works 239 | that You distribute, all copyright, patent, trademark, and 240 | attribution notices from the Source form of the Work, 241 | excluding those notices that do not pertain to any part of 242 | the Derivative Works; and 243 | 244 | (d) If the Work includes a "NOTICE" text file as part of its 245 | distribution, then any Derivative Works that You distribute must 246 | include a readable copy of the attribution notices contained 247 | within such NOTICE file, excluding those notices that do not 248 | pertain to any part of the Derivative Works, in at least one 249 | of the following places: within a NOTICE text file distributed 250 | as part of the Derivative Works; within the Source form or 251 | documentation, if provided along with the Derivative Works; or, 252 | within a display generated by the Derivative Works, if and 253 | wherever such third-party notices normally appear. The contents 254 | of the NOTICE file are for informational purposes only and 255 | do not modify the License. You may add Your own attribution 256 | notices within Derivative Works that You distribute, alongside 257 | or as an addendum to the NOTICE text from the Work, provided 258 | that such additional attribution notices cannot be construed 259 | as modifying the License. 260 | 261 | You may add Your own copyright statement to Your modifications and 262 | may provide additional or different license terms and conditions 263 | for use, reproduction, or distribution of Your modifications, or 264 | for any such Derivative Works as a whole, provided Your use, 265 | reproduction, and distribution of the Work otherwise complies with 266 | the conditions stated in this License. 267 | 268 | 5. Submission of Contributions. Unless You explicitly state otherwise, 269 | any Contribution intentionally submitted for inclusion in the Work 270 | by You to the Licensor shall be under the terms and conditions of 271 | this License, without any additional terms or conditions. 272 | Notwithstanding the above, nothing herein shall supersede or modify 273 | the terms of any separate license agreement you may have executed 274 | with Licensor regarding such Contributions. 275 | 276 | 6. Trademarks. This License does not grant permission to use the trade 277 | names, trademarks, service marks, or product names of the Licensor, 278 | except as required for reasonable and customary use in describing the 279 | origin of the Work and reproducing the content of the NOTICE file. 280 | 281 | 7. Disclaimer of Warranty. Unless required by applicable law or 282 | agreed to in writing, Licensor provides the Work (and each 283 | Contributor provides its Contributions) on an "AS IS" BASIS, 284 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 285 | implied, including, without limitation, any warranties or conditions 286 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 287 | PARTICULAR PURPOSE. You are solely responsible for determining the 288 | appropriateness of using or redistributing the Work and assume any 289 | risks associated with Your exercise of permissions under this License. 290 | 291 | 8. Limitation of Liability. In no event and under no legal theory, 292 | whether in tort (including negligence), contract, or otherwise, 293 | unless required by applicable law (such as deliberate and grossly 294 | negligent acts) or agreed to in writing, shall any Contributor be 295 | liable to You for damages, including any direct, indirect, special, 296 | incidental, or consequential damages of any character arising as a 297 | result of this License or out of the use or inability to use the 298 | Work (including but not limited to damages for loss of goodwill, 299 | work stoppage, computer failure or malfunction, or any and all 300 | other commercial damages or losses), even if such Contributor 301 | has been advised of the possibility of such damages. 302 | 303 | 9. Accepting Warranty or Additional Liability. While redistributing 304 | the Work or Derivative Works thereof, You may choose to offer, 305 | and charge a fee for, acceptance of support, warranty, indemnity, 306 | or other liability obligations and/or rights consistent with this 307 | License. However, in accepting such obligations, You may act only 308 | on Your own behalf and on Your sole responsibility, not on behalf 309 | of any other Contributor, and only if You agree to indemnify, 310 | defend, and hold each Contributor harmless for any liability 311 | incurred by, or claims asserted against, such Contributor by reason 312 | of your accepting any such warranty or additional liability. 313 | 314 | END OF TERMS AND CONDITIONS 315 | 316 | APPENDIX: How to apply the Apache License to your work. 317 | 318 | To apply the Apache License to your work, attach the following 319 | boilerplate notice, with the fields enclosed by brackets "[]" 320 | replaced with your own identifying information. (Don't include 321 | the brackets!) The text should be enclosed in the appropriate 322 | comment syntax for the file format. We also recommend that a 323 | file or class name and description of purpose be included on the 324 | same "printed page" as the copyright notice for easier 325 | identification within third-party archives. 326 | 327 | Copyright (c) 2015-2018 Google, Inc., Netflix, Inc., Microsoft Corp. and contributors 328 | 329 | Licensed under the Apache License, Version 2.0 (the "License"); 330 | you may not use this file except in compliance with the License. 331 | You may obtain a copy of the License at 332 | 333 | http://www.apache.org/licenses/LICENSE-2.0 334 | 335 | Unless required by applicable law or agreed to in writing, software 336 | distributed under the License is distributed on an "AS IS" BASIS, 337 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 338 | See the License for the specific language governing permissions and 339 | limitations under the License. 340 | 341 | @angular/animations@6.0.1 342 | MIT 343 | MIT 344 | 345 | @angular/cdk@6.0.2 346 | MIT 347 | The MIT License 348 | 349 | Copyright (c) 2018 Google LLC. 350 | 351 | Permission is hereby granted, free of charge, to any person obtaining a copy 352 | of this software and associated documentation files (the "Software"), to deal 353 | in the Software without restriction, including without limitation the rights 354 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 355 | copies of the Software, and to permit persons to whom the Software is 356 | furnished to do so, subject to the following conditions: 357 | 358 | The above copyright notice and this permission notice shall be included in 359 | all copies or substantial portions of the Software. 360 | 361 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 362 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 363 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 364 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 365 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 366 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN 367 | THE SOFTWARE. 368 | 369 | @angular/router@6.0.1 370 | MIT 371 | MIT 372 | 373 | @angular/core@6.0.1 374 | MIT 375 | MIT 376 | 377 | @angular/forms@6.0.1 378 | MIT 379 | MIT -------------------------------------------------------------------------------- /backend/angular/styles.645c7c4c3629d3736432.css: -------------------------------------------------------------------------------- 1 | .mat-elevation-z0{box-shadow:0 0 0 0 rgba(0,0,0,.2),0 0 0 0 rgba(0,0,0,.14),0 0 0 0 rgba(0,0,0,.12)}.mat-elevation-z1{box-shadow:0 2px 1px -1px rgba(0,0,0,.2),0 1px 1px 0 rgba(0,0,0,.14),0 1px 3px 0 rgba(0,0,0,.12)}.mat-elevation-z2{box-shadow:0 3px 1px -2px rgba(0,0,0,.2),0 2px 2px 0 rgba(0,0,0,.14),0 1px 5px 0 rgba(0,0,0,.12)}.mat-elevation-z3{box-shadow:0 3px 3px -2px rgba(0,0,0,.2),0 3px 4px 0 rgba(0,0,0,.14),0 1px 8px 0 rgba(0,0,0,.12)}.mat-elevation-z4{box-shadow:0 2px 4px -1px rgba(0,0,0,.2),0 4px 5px 0 rgba(0,0,0,.14),0 1px 10px 0 rgba(0,0,0,.12)}.mat-elevation-z5{box-shadow:0 3px 5px -1px rgba(0,0,0,.2),0 5px 8px 0 rgba(0,0,0,.14),0 1px 14px 0 rgba(0,0,0,.12)}.mat-elevation-z6{box-shadow:0 3px 5px -1px rgba(0,0,0,.2),0 6px 10px 0 rgba(0,0,0,.14),0 1px 18px 0 rgba(0,0,0,.12)}.mat-elevation-z7{box-shadow:0 4px 5px -2px rgba(0,0,0,.2),0 7px 10px 1px rgba(0,0,0,.14),0 2px 16px 1px rgba(0,0,0,.12)}.mat-elevation-z8{box-shadow:0 5px 5px -3px rgba(0,0,0,.2),0 8px 10px 1px rgba(0,0,0,.14),0 3px 14px 2px rgba(0,0,0,.12)}.mat-elevation-z9{box-shadow:0 5px 6px -3px rgba(0,0,0,.2),0 9px 12px 1px rgba(0,0,0,.14),0 3px 16px 2px rgba(0,0,0,.12)}.mat-elevation-z10{box-shadow:0 6px 6px -3px rgba(0,0,0,.2),0 10px 14px 1px rgba(0,0,0,.14),0 4px 18px 3px rgba(0,0,0,.12)}.mat-elevation-z11{box-shadow:0 6px 7px -4px rgba(0,0,0,.2),0 11px 15px 1px rgba(0,0,0,.14),0 4px 20px 3px rgba(0,0,0,.12)}.mat-elevation-z12{box-shadow:0 7px 8px -4px rgba(0,0,0,.2),0 12px 17px 2px rgba(0,0,0,.14),0 5px 22px 4px rgba(0,0,0,.12)}.mat-elevation-z13{box-shadow:0 7px 8px -4px rgba(0,0,0,.2),0 13px 19px 2px rgba(0,0,0,.14),0 5px 24px 4px rgba(0,0,0,.12)}.mat-elevation-z14{box-shadow:0 7px 9px -4px rgba(0,0,0,.2),0 14px 21px 2px rgba(0,0,0,.14),0 5px 26px 4px rgba(0,0,0,.12)}.mat-elevation-z15{box-shadow:0 8px 9px -5px rgba(0,0,0,.2),0 15px 22px 2px rgba(0,0,0,.14),0 6px 28px 5px rgba(0,0,0,.12)}.mat-elevation-z16{box-shadow:0 8px 10px -5px rgba(0,0,0,.2),0 16px 24px 2px rgba(0,0,0,.14),0 6px 30px 5px rgba(0,0,0,.12)}.mat-elevation-z17{box-shadow:0 8px 11px -5px rgba(0,0,0,.2),0 17px 26px 2px rgba(0,0,0,.14),0 6px 32px 5px rgba(0,0,0,.12)}.mat-elevation-z18{box-shadow:0 9px 11px -5px rgba(0,0,0,.2),0 18px 28px 2px rgba(0,0,0,.14),0 7px 34px 6px rgba(0,0,0,.12)}.mat-elevation-z19{box-shadow:0 9px 12px -6px rgba(0,0,0,.2),0 19px 29px 2px rgba(0,0,0,.14),0 7px 36px 6px rgba(0,0,0,.12)}.mat-elevation-z20{box-shadow:0 10px 13px -6px rgba(0,0,0,.2),0 20px 31px 3px rgba(0,0,0,.14),0 8px 38px 7px rgba(0,0,0,.12)}.mat-elevation-z21{box-shadow:0 10px 13px -6px rgba(0,0,0,.2),0 21px 33px 3px rgba(0,0,0,.14),0 8px 40px 7px rgba(0,0,0,.12)}.mat-elevation-z22{box-shadow:0 10px 14px -6px rgba(0,0,0,.2),0 22px 35px 3px rgba(0,0,0,.14),0 8px 42px 7px rgba(0,0,0,.12)}.mat-elevation-z23{box-shadow:0 11px 14px -7px rgba(0,0,0,.2),0 23px 36px 3px rgba(0,0,0,.14),0 9px 44px 8px rgba(0,0,0,.12)}.mat-elevation-z24{box-shadow:0 11px 15px -7px rgba(0,0,0,.2),0 24px 38px 3px rgba(0,0,0,.14),0 9px 46px 8px rgba(0,0,0,.12)}.mat-badge-content{font-weight:600;font-size:12px;font-family:Roboto,"Helvetica Neue",sans-serif}.mat-badge-small .mat-badge-content{font-size:6px}.mat-badge-large .mat-badge-content{font-size:24px}.mat-h1,.mat-headline,.mat-typography h1{font:400 24px/32px Roboto,"Helvetica Neue",sans-serif;margin:0 0 16px}.mat-h2,.mat-title,.mat-typography h2{font:500 20px/32px Roboto,"Helvetica Neue",sans-serif;margin:0 0 16px}.mat-h3,.mat-subheading-2,.mat-typography h3{font:400 16px/28px Roboto,"Helvetica Neue",sans-serif;margin:0 0 16px}.mat-h4,.mat-subheading-1,.mat-typography h4{font:400 15px/24px Roboto,"Helvetica Neue",sans-serif;margin:0 0 16px}.mat-h5,.mat-typography h5{font:400 11.62px/20px Roboto,"Helvetica Neue",sans-serif;margin:0 0 12px}.mat-h6,.mat-typography h6{font:400 9.38px/20px Roboto,"Helvetica Neue",sans-serif;margin:0 0 12px}.mat-body-2,.mat-body-strong{font:500 14px/24px Roboto,"Helvetica Neue",sans-serif}.mat-body,.mat-body-1,.mat-typography{font:400 14px/20px Roboto,"Helvetica Neue",sans-serif}.mat-body p,.mat-body-1 p,.mat-typography p{margin:0 0 12px}.mat-caption,.mat-small{font:400 12px/20px Roboto,"Helvetica Neue",sans-serif}.mat-display-4,.mat-typography .mat-display-4{font:300 112px/112px Roboto,"Helvetica Neue",sans-serif;margin:0 0 56px;letter-spacing:-.05em}.mat-display-3,.mat-typography .mat-display-3{font:400 56px/56px Roboto,"Helvetica Neue",sans-serif;margin:0 0 64px;letter-spacing:-.02em}.mat-display-2,.mat-typography .mat-display-2{font:400 45px/48px Roboto,"Helvetica Neue",sans-serif;margin:0 0 64px;letter-spacing:-.005em}.mat-display-1,.mat-typography .mat-display-1{font:400 34px/40px Roboto,"Helvetica Neue",sans-serif;margin:0 0 64px}.mat-bottom-sheet-container{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:16px;font-weight:400}.mat-button,.mat-fab,.mat-flat-button,.mat-icon-button,.mat-mini-fab,.mat-raised-button,.mat-stroked-button{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:14px;font-weight:500}.mat-button-toggle,.mat-card{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-card-title{font-size:24px;font-weight:400}.mat-card-content,.mat-card-header .mat-card-title,.mat-card-subtitle{font-size:14px}.mat-checkbox{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-checkbox-layout .mat-checkbox-label{line-height:24px}.mat-chip{font-size:13px;line-height:18px}.mat-chip .mat-chip-remove.mat-icon,.mat-chip .mat-chip-trailing-icon.mat-icon{font-size:18px}.mat-table{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-header-cell{font-size:12px;font-weight:500}.mat-cell,.mat-footer-cell{font-size:14px}.mat-calendar{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-calendar-body{font-size:13px}.mat-calendar-body-label,.mat-calendar-period-button{font-size:14px;font-weight:500}.mat-calendar-table-header th{font-size:11px;font-weight:400}.mat-dialog-title{font:500 20px/32px Roboto,"Helvetica Neue",sans-serif}.mat-expansion-panel-header{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:15px;font-weight:400}.mat-expansion-panel-content{font:400 14px/20px Roboto,"Helvetica Neue",sans-serif}.mat-form-field{font-size:inherit;font-weight:400;line-height:1.125;font-family:Roboto,"Helvetica Neue",sans-serif}.mat-form-field-wrapper{padding-bottom:1.34375em}.mat-form-field-prefix .mat-icon,.mat-form-field-suffix .mat-icon{font-size:150%;line-height:1.125}.mat-form-field-prefix .mat-icon-button,.mat-form-field-suffix .mat-icon-button{height:1.5em;width:1.5em}.mat-form-field-prefix .mat-icon-button .mat-icon,.mat-form-field-suffix .mat-icon-button .mat-icon{height:1.125em;line-height:1.125}.mat-form-field-infix{padding:.5em 0;border-top:.84375em solid transparent}.mat-form-field-can-float .mat-input-server:focus+.mat-form-field-label-wrapper .mat-form-field-label,.mat-form-field-can-float.mat-form-field-should-float .mat-form-field-label{-webkit-transform:translateY(-1.34375em) scale(.75);transform:translateY(-1.34375em) scale(.75);width:133.33333%}.mat-form-field-can-float .mat-input-server[label]:not(:label-shown)+.mat-form-field-label-wrapper .mat-form-field-label{-webkit-transform:translateY(-1.34374em) scale(.75);transform:translateY(-1.34374em) scale(.75);width:133.33334%}.mat-form-field-label-wrapper{top:-.84375em;padding-top:.84375em}.mat-form-field-label{top:1.34375em}.mat-form-field-underline{bottom:1.34375em}.mat-form-field-subscript-wrapper{font-size:75%;margin-top:.66667em;top:calc(100% - 1.79167em)}.mat-form-field-appearance-legacy .mat-form-field-wrapper{padding-bottom:1.25em}.mat-form-field-appearance-legacy .mat-form-field-infix{padding:.4375em 0}.mat-form-field-appearance-legacy.mat-form-field-can-float .mat-input-server:focus+.mat-form-field-label-wrapper .mat-form-field-label,.mat-form-field-appearance-legacy.mat-form-field-can-float.mat-form-field-should-float .mat-form-field-label{-webkit-transform:translateY(-1.28125em) scale(.75) perspective(100px) translateZ(.001px);transform:translateY(-1.28125em) scale(.75) perspective(100px) translateZ(.001px);-ms-transform:translateY(-1.28125em) scale(.75);width:133.33333%}.mat-form-field-appearance-legacy.mat-form-field-can-float .mat-form-field-autofill-control:-webkit-autofill+.mat-form-field-label-wrapper .mat-form-field-label{-webkit-transform:translateY(-1.28125em) scale(.75) perspective(100px) translateZ(.00101px);transform:translateY(-1.28125em) scale(.75) perspective(100px) translateZ(.00101px);-ms-transform:translateY(-1.28124em) scale(.75);width:133.33334%}.mat-form-field-appearance-legacy.mat-form-field-can-float .mat-input-server[label]:not(:label-shown)+.mat-form-field-label-wrapper .mat-form-field-label{-webkit-transform:translateY(-1.28125em) scale(.75) perspective(100px) translateZ(.00102px);transform:translateY(-1.28125em) scale(.75) perspective(100px) translateZ(.00102px);-ms-transform:translateY(-1.28123em) scale(.75);width:133.33335%}.mat-form-field-appearance-legacy .mat-form-field-label{top:1.28125em}.mat-form-field-appearance-legacy .mat-form-field-underline{bottom:1.25em}.mat-form-field-appearance-legacy .mat-form-field-subscript-wrapper{margin-top:.54167em;top:calc(100% - 1.66667em)}.mat-form-field-appearance-fill .mat-form-field-infix{padding:.25em 0 .75em}.mat-form-field-appearance-fill .mat-form-field-label{top:1.09375em;margin-top:-.5em}.mat-form-field-appearance-fill.mat-form-field-can-float .mat-input-server:focus+.mat-form-field-label-wrapper .mat-form-field-label,.mat-form-field-appearance-fill.mat-form-field-can-float.mat-form-field-should-float .mat-form-field-label{-webkit-transform:translateY(-.59375em) scale(.75);transform:translateY(-.59375em) scale(.75);width:133.33333%}.mat-form-field-appearance-fill.mat-form-field-can-float .mat-input-server[label]:not(:label-shown)+.mat-form-field-label-wrapper .mat-form-field-label{-webkit-transform:translateY(-.59374em) scale(.75);transform:translateY(-.59374em) scale(.75);width:133.33334%}.mat-form-field-appearance-outline .mat-form-field-infix{padding:1em 0}.mat-form-field-appearance-outline .mat-form-field-label{top:1.84375em;margin-top:-.25em}.mat-form-field-appearance-outline.mat-form-field-can-float .mat-input-server:focus+.mat-form-field-label-wrapper .mat-form-field-label,.mat-form-field-appearance-outline.mat-form-field-can-float.mat-form-field-should-float .mat-form-field-label{-webkit-transform:translateY(-1.59375em) scale(.75);transform:translateY(-1.59375em) scale(.75);width:133.33333%}.mat-form-field-appearance-outline.mat-form-field-can-float .mat-input-server[label]:not(:label-shown)+.mat-form-field-label-wrapper .mat-form-field-label{-webkit-transform:translateY(-1.59374em) scale(.75);transform:translateY(-1.59374em) scale(.75);width:133.33334%}.mat-grid-tile-footer,.mat-grid-tile-header{font-size:14px}.mat-grid-tile-footer .mat-line,.mat-grid-tile-header .mat-line{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;box-sizing:border-box}.mat-grid-tile-footer .mat-line:nth-child(n+2),.mat-grid-tile-header .mat-line:nth-child(n+2){font-size:12px}input.mat-input-element{margin-top:-.0625em}.mat-menu-item{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:16px;font-weight:400}.mat-paginator,.mat-paginator-page-size .mat-select-trigger{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:12px}.mat-radio-button,.mat-select{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-select-trigger{height:1.125em}.mat-slide-toggle-content{font:400 14px/20px Roboto,"Helvetica Neue",sans-serif}.mat-slider-thumb-label-text{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:12px;font-weight:500}.mat-stepper-horizontal,.mat-stepper-vertical{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-step-label{font-size:14px;font-weight:400}.mat-step-label-selected{font-size:14px;font-weight:500}.mat-tab-group{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-tab-label,.mat-tab-link{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:14px;font-weight:500}.mat-toolbar,.mat-toolbar h1,.mat-toolbar h2,.mat-toolbar h3,.mat-toolbar h4,.mat-toolbar h5,.mat-toolbar h6{font:500 20px/32px Roboto,"Helvetica Neue",sans-serif;margin:0}.mat-tooltip{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:10px;padding-top:6px;padding-bottom:6px}.mat-tooltip-handset{font-size:14px;padding-top:9px;padding-bottom:9px}.mat-list-item,.mat-list-option{font-family:Roboto,"Helvetica Neue",sans-serif}.mat-list .mat-list-item,.mat-nav-list .mat-list-item,.mat-selection-list .mat-list-item{font-size:16px}.mat-list .mat-list-item .mat-line,.mat-nav-list .mat-list-item .mat-line,.mat-selection-list .mat-list-item .mat-line{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;box-sizing:border-box}.mat-list .mat-list-item .mat-line:nth-child(n+2),.mat-nav-list .mat-list-item .mat-line:nth-child(n+2),.mat-selection-list .mat-list-item .mat-line:nth-child(n+2){font-size:14px}.mat-list .mat-list-option,.mat-nav-list .mat-list-option,.mat-selection-list .mat-list-option{font-size:16px}.mat-list .mat-list-option .mat-line,.mat-nav-list .mat-list-option .mat-line,.mat-selection-list .mat-list-option .mat-line{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;box-sizing:border-box}.mat-list .mat-list-option .mat-line:nth-child(n+2),.mat-nav-list .mat-list-option .mat-line:nth-child(n+2),.mat-selection-list .mat-list-option .mat-line:nth-child(n+2){font-size:14px}.mat-list[dense] .mat-list-item,.mat-nav-list[dense] .mat-list-item,.mat-selection-list[dense] .mat-list-item{font-size:12px}.mat-list[dense] .mat-list-item .mat-line,.mat-nav-list[dense] .mat-list-item .mat-line,.mat-selection-list[dense] .mat-list-item .mat-line{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;box-sizing:border-box}.mat-list[dense] .mat-list-item .mat-line:nth-child(n+2),.mat-list[dense] .mat-list-option,.mat-nav-list[dense] .mat-list-item .mat-line:nth-child(n+2),.mat-nav-list[dense] .mat-list-option,.mat-selection-list[dense] .mat-list-item .mat-line:nth-child(n+2),.mat-selection-list[dense] .mat-list-option{font-size:12px}.mat-list[dense] .mat-list-option .mat-line,.mat-nav-list[dense] .mat-list-option .mat-line,.mat-selection-list[dense] .mat-list-option .mat-line{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;display:block;box-sizing:border-box}.mat-list[dense] .mat-list-option .mat-line:nth-child(n+2),.mat-nav-list[dense] .mat-list-option .mat-line:nth-child(n+2),.mat-selection-list[dense] .mat-list-option .mat-line:nth-child(n+2){font-size:12px}.mat-list[dense] .mat-subheader,.mat-nav-list[dense] .mat-subheader,.mat-selection-list[dense] .mat-subheader{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:12px;font-weight:500}.mat-option{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:16px;color:rgba(0,0,0,.87)}.mat-optgroup-label{font:500 14px/24px Roboto,"Helvetica Neue",sans-serif;color:rgba(0,0,0,.54)}.mat-simple-snackbar{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:14px}.mat-simple-snackbar-action{line-height:1;font-family:inherit;font-size:inherit;font-weight:500}.mat-ripple{overflow:hidden}@media screen and (-ms-high-contrast:active){.mat-ripple{display:none}}.mat-ripple.mat-ripple-unbounded{overflow:visible}.mat-ripple-element{position:absolute;border-radius:50%;pointer-events:none;transition:opacity,-webkit-transform 0s cubic-bezier(0,0,.2,1);transition:opacity,transform 0s cubic-bezier(0,0,.2,1);transition:opacity,transform 0s cubic-bezier(0,0,.2,1),-webkit-transform 0s cubic-bezier(0,0,.2,1);-webkit-transform:scale(0);transform:scale(0)}.cdk-visually-hidden{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px;outline:0;-webkit-appearance:none;-moz-appearance:none}.cdk-global-overlay-wrapper,.cdk-overlay-container{pointer-events:none;top:0;left:0;height:100%;width:100%}.cdk-overlay-container{position:fixed;z-index:1000}.cdk-overlay-container:empty{display:none}.cdk-global-overlay-wrapper{display:flex;position:absolute;z-index:1000}.cdk-overlay-pane{position:absolute;pointer-events:auto;box-sizing:border-box;z-index:1000;display:flex;max-width:100%;max-height:100%}.cdk-overlay-backdrop{position:absolute;top:0;bottom:0;left:0;right:0;z-index:1000;pointer-events:auto;-webkit-tap-highlight-color:transparent;transition:opacity .4s cubic-bezier(.25,.8,.25,1);opacity:0}.cdk-overlay-backdrop.cdk-overlay-backdrop-showing{opacity:1}@media screen and (-ms-high-contrast:active){.cdk-overlay-backdrop.cdk-overlay-backdrop-showing{opacity:.6}.mat-badge-small .mat-badge-content{outline:solid 1px;border-radius:0}}.cdk-overlay-dark-backdrop{background:rgba(0,0,0,.288)}.cdk-overlay-transparent-backdrop,.cdk-overlay-transparent-backdrop.cdk-overlay-backdrop-showing{opacity:0}.cdk-overlay-connected-position-bounding-box{position:absolute;z-index:1000;display:flex;flex-direction:column;min-width:1px;min-height:1px}.cdk-global-scrollblock{position:fixed;width:100%;overflow-y:scroll}.cdk-text-field-autofill-monitored:-webkit-autofill{-webkit-animation-name:cdk-text-field-autofill-start;animation-name:cdk-text-field-autofill-start}.cdk-text-field-autofill-monitored:not(:-webkit-autofill){-webkit-animation-name:cdk-text-field-autofill-end;animation-name:cdk-text-field-autofill-end}textarea.cdk-textarea-autosize{resize:none}textarea.cdk-textarea-autosize-measuring{height:auto!important;overflow:hidden!important;padding:2px 0!important;box-sizing:content-box!important}.mat-ripple-element{background-color:rgba(0,0,0,.1)}.mat-option.mat-selected:not(.mat-option-multiple):not(.mat-option-disabled),.mat-option:focus:not(.mat-option-disabled),.mat-option:hover:not(.mat-option-disabled){background:rgba(0,0,0,.04)}.mat-option.mat-active{background:rgba(0,0,0,.04);color:rgba(0,0,0,.87)}.mat-option.mat-option-disabled{color:rgba(0,0,0,.38)}.mat-primary .mat-option.mat-selected:not(.mat-option-disabled){color:#3f51b5}.mat-accent .mat-option.mat-selected:not(.mat-option-disabled){color:#ff4081}.mat-warn .mat-option.mat-selected:not(.mat-option-disabled){color:#f44336}.mat-optgroup-disabled .mat-optgroup-label{color:rgba(0,0,0,.38)}.mat-pseudo-checkbox{color:rgba(0,0,0,.54)}.mat-pseudo-checkbox::after{color:#fafafa}.mat-accent .mat-pseudo-checkbox-checked,.mat-accent .mat-pseudo-checkbox-indeterminate,.mat-pseudo-checkbox-checked,.mat-pseudo-checkbox-indeterminate{background:#ff4081}.mat-primary .mat-pseudo-checkbox-checked,.mat-primary .mat-pseudo-checkbox-indeterminate{background:#3f51b5}.mat-warn .mat-pseudo-checkbox-checked,.mat-warn .mat-pseudo-checkbox-indeterminate{background:#f44336}.mat-pseudo-checkbox-checked.mat-pseudo-checkbox-disabled,.mat-pseudo-checkbox-indeterminate.mat-pseudo-checkbox-disabled{background:#b0b0b0}.mat-app-background{background-color:#fafafa;color:rgba(0,0,0,.87)}.mat-theme-loaded-marker{display:none}.mat-autocomplete-panel{background:#fff;color:rgba(0,0,0,.87)}.mat-autocomplete-panel .mat-option.mat-selected:not(.mat-active):not(:hover){background:#fff}.mat-autocomplete-panel .mat-option.mat-selected:not(.mat-active):not(:hover):not(.mat-option-disabled){color:rgba(0,0,0,.87)}.mat-badge-accent .mat-badge-content{background:#ff4081;color:#fff}.mat-badge-warn .mat-badge-content{color:#fff;background:#f44336}.mat-badge{position:relative}.mat-badge-hidden .mat-badge-content{display:none}.mat-badge-content{color:#fff;background:#3f51b5;position:absolute;text-align:center;display:inline-block;border-radius:50%;transition:-webkit-transform .2s ease-in-out;transition:transform .2s ease-in-out;transition:transform .2s ease-in-out,-webkit-transform .2s ease-in-out;-webkit-transform:scale(.6);transform:scale(.6);overflow:hidden;white-space:nowrap;text-overflow:ellipsis;pointer-events:none}.mat-badge-content.mat-badge-active{-webkit-transform:none;transform:none}.mat-badge-small .mat-badge-content{width:16px;height:16px;line-height:16px}.mat-badge-small.mat-badge-above .mat-badge-content{top:-8px}.mat-badge-small.mat-badge-below .mat-badge-content{bottom:-8px}.mat-badge-small.mat-badge-before{margin-left:16px}.mat-badge-small.mat-badge-before .mat-badge-content{left:-16px}[dir=rtl] .mat-badge-small.mat-badge-before{margin-left:0;margin-right:16px}[dir=rtl] .mat-badge-small.mat-badge-before .mat-badge-content{left:auto;right:-16px}.mat-badge-small.mat-badge-after{margin-right:16px}.mat-badge-small.mat-badge-after .mat-badge-content{right:-16px}[dir=rtl] .mat-badge-small.mat-badge-after{margin-right:0;margin-left:16px}[dir=rtl] .mat-badge-small.mat-badge-after .mat-badge-content{right:auto;left:-16px}.mat-badge-small.mat-badge-overlap.mat-badge-before{margin-left:8px}.mat-badge-small.mat-badge-overlap.mat-badge-before .mat-badge-content{left:-8px}[dir=rtl] .mat-badge-small.mat-badge-overlap.mat-badge-before{margin-left:0;margin-right:8px}[dir=rtl] .mat-badge-small.mat-badge-overlap.mat-badge-before .mat-badge-content{left:auto;right:-8px}.mat-badge-small.mat-badge-overlap.mat-badge-after{margin-right:8px}.mat-badge-small.mat-badge-overlap.mat-badge-after .mat-badge-content{right:-8px}[dir=rtl] .mat-badge-small.mat-badge-overlap.mat-badge-after{margin-right:0;margin-left:16px}[dir=rtl] .mat-badge-small.mat-badge-overlap.mat-badge-after .mat-badge-content{right:auto;left:-8px}.mat-badge-medium .mat-badge-content{width:22px;height:22px;line-height:22px}.mat-badge-medium.mat-badge-above .mat-badge-content{top:-11px}.mat-badge-medium.mat-badge-below .mat-badge-content{bottom:-11px}.mat-badge-medium.mat-badge-before{margin-left:22px}.mat-badge-medium.mat-badge-before .mat-badge-content{left:-22px}[dir=rtl] .mat-badge-medium.mat-badge-before{margin-left:0;margin-right:22px}[dir=rtl] .mat-badge-medium.mat-badge-before .mat-badge-content{left:auto;right:-22px}.mat-badge-medium.mat-badge-after{margin-right:22px}.mat-badge-medium.mat-badge-after .mat-badge-content{right:-22px}[dir=rtl] .mat-badge-medium.mat-badge-after{margin-right:0;margin-left:22px}[dir=rtl] .mat-badge-medium.mat-badge-after .mat-badge-content{right:auto;left:-22px}.mat-badge-medium.mat-badge-overlap.mat-badge-before{margin-left:11px}.mat-badge-medium.mat-badge-overlap.mat-badge-before .mat-badge-content{left:-11px}[dir=rtl] .mat-badge-medium.mat-badge-overlap.mat-badge-before{margin-left:0;margin-right:11px}[dir=rtl] .mat-badge-medium.mat-badge-overlap.mat-badge-before .mat-badge-content{left:auto;right:-11px}.mat-badge-medium.mat-badge-overlap.mat-badge-after{margin-right:11px}.mat-badge-medium.mat-badge-overlap.mat-badge-after .mat-badge-content{right:-11px}[dir=rtl] .mat-badge-medium.mat-badge-overlap.mat-badge-after{margin-right:0;margin-left:22px}[dir=rtl] .mat-badge-medium.mat-badge-overlap.mat-badge-after .mat-badge-content{right:auto;left:-11px}.mat-badge-large .mat-badge-content{width:28px;height:28px;line-height:28px}@media screen and (-ms-high-contrast:active){.mat-badge-large .mat-badge-content,.mat-badge-medium .mat-badge-content{outline:solid 1px;border-radius:0}}.mat-badge-large.mat-badge-above .mat-badge-content{top:-14px}.mat-badge-large.mat-badge-below .mat-badge-content{bottom:-14px}.mat-badge-large.mat-badge-before{margin-left:28px}.mat-badge-large.mat-badge-before .mat-badge-content{left:-28px}[dir=rtl] .mat-badge-large.mat-badge-before{margin-left:0;margin-right:28px}[dir=rtl] .mat-badge-large.mat-badge-before .mat-badge-content{left:auto;right:-28px}.mat-badge-large.mat-badge-after{margin-right:28px}.mat-badge-large.mat-badge-after .mat-badge-content{right:-28px}[dir=rtl] .mat-badge-large.mat-badge-after{margin-right:0;margin-left:28px}[dir=rtl] .mat-badge-large.mat-badge-after .mat-badge-content{right:auto;left:-28px}.mat-badge-large.mat-badge-overlap.mat-badge-before{margin-left:14px}.mat-badge-large.mat-badge-overlap.mat-badge-before .mat-badge-content{left:-14px}[dir=rtl] .mat-badge-large.mat-badge-overlap.mat-badge-before{margin-left:0;margin-right:14px}[dir=rtl] .mat-badge-large.mat-badge-overlap.mat-badge-before .mat-badge-content{left:auto;right:-14px}.mat-badge-large.mat-badge-overlap.mat-badge-after{margin-right:14px}.mat-badge-large.mat-badge-overlap.mat-badge-after .mat-badge-content{right:-14px}[dir=rtl] .mat-badge-large.mat-badge-overlap.mat-badge-after{margin-right:0;margin-left:28px}[dir=rtl] .mat-badge-large.mat-badge-overlap.mat-badge-after .mat-badge-content{right:auto;left:-14px}.mat-bottom-sheet-container{background:#fff;color:rgba(0,0,0,.87)}.mat-button,.mat-icon-button,.mat-stroked-button{color:inherit;background:0 0}.mat-button.mat-primary,.mat-icon-button.mat-primary,.mat-stroked-button.mat-primary{color:#3f51b5}.mat-button.mat-accent,.mat-icon-button.mat-accent,.mat-stroked-button.mat-accent{color:#ff4081}.mat-button.mat-warn,.mat-icon-button.mat-warn,.mat-stroked-button.mat-warn{color:#f44336}.mat-button.mat-accent[disabled],.mat-button.mat-primary[disabled],.mat-button.mat-warn[disabled],.mat-button[disabled][disabled],.mat-icon-button.mat-accent[disabled],.mat-icon-button.mat-primary[disabled],.mat-icon-button.mat-warn[disabled],.mat-icon-button[disabled][disabled],.mat-stroked-button.mat-accent[disabled],.mat-stroked-button.mat-primary[disabled],.mat-stroked-button.mat-warn[disabled],.mat-stroked-button[disabled][disabled]{color:rgba(0,0,0,.26)}.mat-button.mat-primary .mat-button-focus-overlay,.mat-icon-button.mat-primary .mat-button-focus-overlay,.mat-stroked-button.mat-primary .mat-button-focus-overlay{background-color:rgba(63,81,181,.12)}.mat-button.mat-accent .mat-button-focus-overlay,.mat-icon-button.mat-accent .mat-button-focus-overlay,.mat-stroked-button.mat-accent .mat-button-focus-overlay{background-color:rgba(255,64,129,.12)}.mat-button.mat-warn .mat-button-focus-overlay,.mat-icon-button.mat-warn .mat-button-focus-overlay,.mat-stroked-button.mat-warn .mat-button-focus-overlay{background-color:rgba(244,67,54,.12)}.mat-button[disabled] .mat-button-focus-overlay,.mat-icon-button[disabled] .mat-button-focus-overlay,.mat-stroked-button[disabled] .mat-button-focus-overlay{background-color:transparent}.mat-button.mat-primary .mat-ripple-element,.mat-icon-button.mat-primary .mat-ripple-element,.mat-stroked-button.mat-primary .mat-ripple-element{background-color:rgba(63,81,181,.1)}.mat-button.mat-accent .mat-ripple-element,.mat-icon-button.mat-accent .mat-ripple-element,.mat-stroked-button.mat-accent .mat-ripple-element{background-color:rgba(255,64,129,.1)}.mat-button.mat-warn .mat-ripple-element,.mat-icon-button.mat-warn .mat-ripple-element,.mat-stroked-button.mat-warn .mat-ripple-element{background-color:rgba(244,67,54,.1)}.mat-fab,.mat-flat-button,.mat-mini-fab,.mat-raised-button{color:rgba(0,0,0,.87);background-color:#fff}.mat-fab.mat-accent,.mat-fab.mat-primary,.mat-fab.mat-warn,.mat-flat-button.mat-accent,.mat-flat-button.mat-primary,.mat-flat-button.mat-warn,.mat-mini-fab.mat-accent,.mat-mini-fab.mat-primary,.mat-mini-fab.mat-warn,.mat-raised-button.mat-accent,.mat-raised-button.mat-primary,.mat-raised-button.mat-warn{color:#fff}.mat-fab.mat-accent[disabled],.mat-fab.mat-primary[disabled],.mat-fab.mat-warn[disabled],.mat-fab[disabled][disabled],.mat-flat-button.mat-accent[disabled],.mat-flat-button.mat-primary[disabled],.mat-flat-button.mat-warn[disabled],.mat-flat-button[disabled][disabled],.mat-mini-fab.mat-accent[disabled],.mat-mini-fab.mat-primary[disabled],.mat-mini-fab.mat-warn[disabled],.mat-mini-fab[disabled][disabled],.mat-raised-button.mat-accent[disabled],.mat-raised-button.mat-primary[disabled],.mat-raised-button.mat-warn[disabled],.mat-raised-button[disabled][disabled]{color:rgba(0,0,0,.26);background-color:rgba(0,0,0,.12)}.mat-fab.mat-primary,.mat-flat-button.mat-primary,.mat-mini-fab.mat-primary,.mat-raised-button.mat-primary{background-color:#3f51b5}.mat-fab.mat-accent,.mat-flat-button.mat-accent,.mat-mini-fab.mat-accent,.mat-raised-button.mat-accent{background-color:#ff4081}.mat-fab.mat-warn,.mat-flat-button.mat-warn,.mat-mini-fab.mat-warn,.mat-raised-button.mat-warn{background-color:#f44336}.mat-fab.mat-accent .mat-ripple-element,.mat-fab.mat-primary .mat-ripple-element,.mat-fab.mat-warn .mat-ripple-element,.mat-flat-button.mat-accent .mat-ripple-element,.mat-flat-button.mat-primary .mat-ripple-element,.mat-flat-button.mat-warn .mat-ripple-element,.mat-mini-fab.mat-accent .mat-ripple-element,.mat-mini-fab.mat-primary .mat-ripple-element,.mat-mini-fab.mat-warn .mat-ripple-element,.mat-raised-button.mat-accent .mat-ripple-element,.mat-raised-button.mat-primary .mat-ripple-element,.mat-raised-button.mat-warn .mat-ripple-element{background-color:rgba(255,255,255,.1)}.mat-icon-button.mat-primary .mat-ripple-element{background-color:rgba(63,81,181,.2)}.mat-icon-button.mat-accent .mat-ripple-element{background-color:rgba(255,64,129,.2)}.mat-icon-button.mat-warn .mat-ripple-element{background-color:rgba(244,67,54,.2)}.mat-button-toggle{color:rgba(0,0,0,.38)}.mat-button-toggle .mat-button-toggle-focus-overlay{background-color:rgba(0,0,0,.12)}.mat-button-toggle-checked{background-color:#e0e0e0;color:rgba(0,0,0,.54)}.mat-button-toggle-disabled{background-color:#eee;color:rgba(0,0,0,.26)}.mat-button-toggle-disabled.mat-button-toggle-checked{background-color:#bdbdbd}.mat-card{background:#fff;color:rgba(0,0,0,.87)}.mat-card-subtitle{color:rgba(0,0,0,.54)}.mat-checkbox-frame{border-color:rgba(0,0,0,.54)}.mat-checkbox-checkmark{fill:#fafafa}.mat-checkbox-checkmark-path{stroke:#fafafa!important}.mat-checkbox-mixedmark{background-color:#fafafa}.mat-checkbox-checked.mat-primary .mat-checkbox-background,.mat-checkbox-indeterminate.mat-primary .mat-checkbox-background{background-color:#3f51b5}.mat-checkbox-checked.mat-accent .mat-checkbox-background,.mat-checkbox-indeterminate.mat-accent .mat-checkbox-background{background-color:#ff4081}.mat-checkbox-checked.mat-warn .mat-checkbox-background,.mat-checkbox-indeterminate.mat-warn .mat-checkbox-background{background-color:#f44336}.mat-checkbox-disabled.mat-checkbox-checked .mat-checkbox-background,.mat-checkbox-disabled.mat-checkbox-indeterminate .mat-checkbox-background{background-color:#b0b0b0}.mat-checkbox-disabled:not(.mat-checkbox-checked) .mat-checkbox-frame{border-color:#b0b0b0}.mat-checkbox-disabled .mat-checkbox-label{color:#b0b0b0}.mat-checkbox:not(.mat-checkbox-disabled).mat-primary .mat-checkbox-ripple .mat-ripple-element{background-color:rgba(63,81,181,.26)}.mat-checkbox:not(.mat-checkbox-disabled).mat-accent .mat-checkbox-ripple .mat-ripple-element{background-color:rgba(255,64,129,.26)}.mat-checkbox:not(.mat-checkbox-disabled).mat-warn .mat-checkbox-ripple .mat-ripple-element{background-color:rgba(244,67,54,.26)}.mat-chip.mat-standard-chip{background-color:#e0e0e0;color:rgba(0,0,0,.87)}.mat-chip.mat-standard-chip .mat-chip-remove{color:rgba(0,0,0,.87);opacity:.4}.mat-chip.mat-standard-chip .mat-chip-remove:hover{opacity:.54}.mat-chip.mat-standard-chip.mat-chip-selected.mat-primary{background-color:#3f51b5;color:#fff}.mat-chip.mat-standard-chip.mat-chip-selected.mat-primary .mat-chip-remove{color:#fff;opacity:.4}.mat-chip.mat-standard-chip.mat-chip-selected.mat-primary .mat-chip-remove:hover{opacity:.54}.mat-chip.mat-standard-chip.mat-chip-selected.mat-warn{background-color:#f44336;color:#fff}.mat-chip.mat-standard-chip.mat-chip-selected.mat-warn .mat-chip-remove{color:#fff;opacity:.4}.mat-chip.mat-standard-chip.mat-chip-selected.mat-warn .mat-chip-remove:hover{opacity:.54}.mat-chip.mat-standard-chip.mat-chip-selected.mat-accent{background-color:#ff4081;color:#fff}.mat-chip.mat-standard-chip.mat-chip-selected.mat-accent .mat-chip-remove{color:#fff;opacity:.4}.mat-chip.mat-standard-chip.mat-chip-selected.mat-accent .mat-chip-remove:hover{opacity:.54}.mat-table{background:#fff}mat-footer-row,mat-header-row,mat-row,td.mat-cell,td.mat-footer-cell,th.mat-header-cell{border-bottom-color:rgba(0,0,0,.12)}.mat-header-cell{color:rgba(0,0,0,.54)}.mat-cell,.mat-footer-cell{color:rgba(0,0,0,.87)}.mat-calendar-arrow{border-top-color:rgba(0,0,0,.54)}.mat-datepicker-popup .mat-calendar-next-button,.mat-datepicker-popup .mat-calendar-previous-button,.mat-datepicker-toggle{color:rgba(0,0,0,.54)}.mat-calendar-table-header{color:rgba(0,0,0,.38)}.mat-calendar-table-header-divider::after{background:rgba(0,0,0,.12)}.mat-calendar-body-label{color:rgba(0,0,0,.54)}.mat-calendar-body-cell-content{color:rgba(0,0,0,.87);border-color:transparent}.mat-calendar-body-disabled>.mat-calendar-body-cell-content:not(.mat-calendar-body-selected){color:rgba(0,0,0,.38)}.cdk-keyboard-focused .mat-calendar-body-active>.mat-calendar-body-cell-content:not(.mat-calendar-body-selected),.cdk-program-focused .mat-calendar-body-active>.mat-calendar-body-cell-content:not(.mat-calendar-body-selected),.mat-calendar-body-cell:not(.mat-calendar-body-disabled):hover>.mat-calendar-body-cell-content:not(.mat-calendar-body-selected){background-color:rgba(0,0,0,.04)}.mat-calendar-body-today:not(.mat-calendar-body-selected){border-color:rgba(0,0,0,.38)}.mat-calendar-body-disabled>.mat-calendar-body-today:not(.mat-calendar-body-selected){border-color:rgba(0,0,0,.18)}.mat-calendar-body-selected{background-color:#3f51b5;color:#fff}.mat-calendar-body-disabled>.mat-calendar-body-selected{background-color:rgba(63,81,181,.4)}.mat-calendar-body-today.mat-calendar-body-selected{box-shadow:inset 0 0 0 1px #fff}.mat-datepicker-content{background-color:#fff;color:rgba(0,0,0,.87)}.mat-datepicker-content.mat-accent .mat-calendar-body-selected{background-color:#ff4081;color:#fff}.mat-datepicker-content.mat-accent .mat-calendar-body-disabled>.mat-calendar-body-selected{background-color:rgba(255,64,129,.4)}.mat-datepicker-content.mat-accent .mat-calendar-body-today.mat-calendar-body-selected{box-shadow:inset 0 0 0 1px #fff}.mat-datepicker-content.mat-warn .mat-calendar-body-selected{background-color:#f44336;color:#fff}.mat-datepicker-content.mat-warn .mat-calendar-body-disabled>.mat-calendar-body-selected{background-color:rgba(244,67,54,.4)}.mat-datepicker-content.mat-warn .mat-calendar-body-today.mat-calendar-body-selected{box-shadow:inset 0 0 0 1px #fff}.mat-datepicker-toggle-active{color:#3f51b5}.mat-datepicker-toggle-active.mat-accent{color:#ff4081}.mat-datepicker-toggle-active.mat-warn{color:#f44336}.mat-dialog-container{background:#fff;color:rgba(0,0,0,.87)}.mat-divider{border-top-color:rgba(0,0,0,.12)}.mat-divider-vertical{border-right-color:rgba(0,0,0,.12)}.mat-expansion-panel{background:#fff;color:rgba(0,0,0,.87)}.mat-action-row{border-top-color:rgba(0,0,0,.12)}.mat-expansion-panel:not(.mat-expanded) .mat-expansion-panel-header:not([aria-disabled=true]).cdk-keyboard-focused,.mat-expansion-panel:not(.mat-expanded) .mat-expansion-panel-header:not([aria-disabled=true]).cdk-program-focused,.mat-expansion-panel:not(.mat-expanded) .mat-expansion-panel-header:not([aria-disabled=true]):hover{background:rgba(0,0,0,.04)}.mat-expansion-panel-header-title{color:rgba(0,0,0,.87)}.mat-expansion-indicator::after,.mat-expansion-panel-header-description{color:rgba(0,0,0,.54)}.mat-expansion-panel-header[aria-disabled=true]{color:rgba(0,0,0,.26)}.mat-expansion-panel-header[aria-disabled=true] .mat-expansion-panel-header-description,.mat-expansion-panel-header[aria-disabled=true] .mat-expansion-panel-header-title{color:inherit}.mat-form-field-label,.mat-hint{color:rgba(0,0,0,.6)}.mat-form-field.mat-focused .mat-form-field-label{color:#3f51b5}.mat-form-field.mat-focused .mat-form-field-label.mat-accent{color:#ff4081}.mat-form-field.mat-focused .mat-form-field-label.mat-warn{color:#f44336}.mat-focused .mat-form-field-required-marker{color:#ff4081}.mat-form-field-ripple{background-color:rgba(0,0,0,.87)}.mat-form-field.mat-focused .mat-form-field-ripple{background-color:#3f51b5}.mat-form-field.mat-focused .mat-form-field-ripple.mat-accent{background-color:#ff4081}.mat-form-field.mat-focused .mat-form-field-ripple.mat-warn{background-color:#f44336}.mat-form-field.mat-form-field-invalid .mat-form-field-label,.mat-form-field.mat-form-field-invalid .mat-form-field-label .mat-form-field-required-marker,.mat-form-field.mat-form-field-invalid .mat-form-field-label.mat-accent{color:#f44336}.mat-form-field.mat-form-field-invalid .mat-form-field-ripple{background-color:#f44336}.mat-error{color:#f44336}.mat-form-field-appearance-legacy .mat-form-field-label,.mat-form-field-appearance-legacy .mat-hint{color:rgba(0,0,0,.54)}.mat-form-field-appearance-legacy .mat-form-field-underline{background-color:rgba(0,0,0,.42)}.mat-form-field-appearance-legacy.mat-form-field-disabled .mat-form-field-underline{background-image:linear-gradient(to right,rgba(0,0,0,.42) 0,rgba(0,0,0,.42) 33%,transparent 0);background-size:4px 100%;background-repeat:repeat-x}.mat-form-field-appearance-standard .mat-form-field-underline{background-color:rgba(0,0,0,.42)}.mat-form-field-appearance-standard.mat-form-field-disabled .mat-form-field-underline{background-image:linear-gradient(to right,rgba(0,0,0,.42) 0,rgba(0,0,0,.42) 33%,transparent 0);background-size:4px 100%;background-repeat:repeat-x}.mat-form-field-appearance-fill .mat-form-field-flex{background-color:rgba(0,0,0,.04)}.mat-form-field-appearance-fill.mat-form-field-disabled .mat-form-field-flex{background-color:rgba(0,0,0,.02)}.mat-form-field-appearance-fill .mat-form-field-underline::before{background-color:rgba(0,0,0,.42)}.mat-form-field-appearance-fill.mat-form-field-disabled .mat-form-field-label{color:rgba(0,0,0,.38)}.mat-form-field-appearance-fill.mat-form-field-disabled .mat-form-field-underline::before{background-color:transparent}.mat-form-field-appearance-outline .mat-form-field-outline{bottom:1.34375em;color:rgba(0,0,0,.12)}.mat-form-field-appearance-outline .mat-form-field-outline-thick{color:rgba(0,0,0,.87)}.mat-form-field-appearance-outline.mat-focused .mat-form-field-outline-thick{color:#3f51b5}.mat-form-field-appearance-outline.mat-focused.mat-accent .mat-form-field-outline-thick{color:#ff4081}.mat-form-field-appearance-outline.mat-focused.mat-warn .mat-form-field-outline-thick,.mat-form-field-appearance-outline.mat-form-field-invalid.mat-form-field-invalid .mat-form-field-outline-thick{color:#f44336}.mat-form-field-appearance-outline.mat-form-field-disabled .mat-form-field-label{color:rgba(0,0,0,.38)}.mat-form-field-appearance-outline.mat-form-field-disabled .mat-form-field-outline{color:rgba(0,0,0,.06)}.mat-icon.mat-primary{color:#3f51b5}.mat-icon.mat-accent{color:#ff4081}.mat-icon.mat-warn{color:#f44336}.mat-input-element:disabled{color:rgba(0,0,0,.38)}.mat-input-element{caret-color:#3f51b5}.mat-input-element::-ms-input-placeholder{color:rgba(0,0,0,.42)}.mat-input-element::placeholder{color:rgba(0,0,0,.42)}.mat-input-element::-moz-placeholder{color:rgba(0,0,0,.42)}.mat-input-element::-webkit-input-placeholder{color:rgba(0,0,0,.42)}.mat-input-element:-ms-input-placeholder{color:rgba(0,0,0,.42)}.mat-accent .mat-input-element{caret-color:#ff4081}.mat-form-field-invalid .mat-input-element,.mat-warn .mat-input-element{caret-color:#f44336}.mat-list .mat-list-item,.mat-list .mat-list-option,.mat-nav-list .mat-list-item,.mat-nav-list .mat-list-option,.mat-selection-list .mat-list-item,.mat-selection-list .mat-list-option{color:rgba(0,0,0,.87)}.mat-list .mat-subheader,.mat-nav-list .mat-subheader,.mat-selection-list .mat-subheader{font-family:Roboto,"Helvetica Neue",sans-serif;font-size:14px;font-weight:500;color:rgba(0,0,0,.54)}.mat-list-item-disabled{background-color:#eee}.mat-list-option.mat-list-item-focus,.mat-list-option:hover,.mat-nav-list .mat-list-item.mat-list-item-focus,.mat-nav-list .mat-list-item:hover{background:rgba(0,0,0,.04)}.mat-menu-panel{background:#fff}.mat-menu-item{background:0 0;color:rgba(0,0,0,.87)}.mat-menu-item[disabled],.mat-menu-item[disabled]::after{color:rgba(0,0,0,.38)}.mat-menu-item .mat-icon:not([color]),.mat-menu-item-submenu-trigger::after{color:rgba(0,0,0,.54)}.mat-menu-item-highlighted:not([disabled]),.mat-menu-item.cdk-keyboard-focused:not([disabled]),.mat-menu-item.cdk-program-focused:not([disabled]),.mat-menu-item:hover:not([disabled]){background:rgba(0,0,0,.04)}.mat-paginator{background:#fff}.mat-paginator,.mat-paginator-page-size .mat-select-trigger{color:rgba(0,0,0,.54)}.mat-paginator-decrement,.mat-paginator-increment{border-top:2px solid rgba(0,0,0,.54);border-right:2px solid rgba(0,0,0,.54)}.mat-paginator-first,.mat-paginator-last{border-top:2px solid rgba(0,0,0,.54)}.mat-icon-button[disabled] .mat-paginator-decrement,.mat-icon-button[disabled] .mat-paginator-first,.mat-icon-button[disabled] .mat-paginator-increment,.mat-icon-button[disabled] .mat-paginator-last{border-color:rgba(0,0,0,.38)}.mat-progress-bar-background{fill:#c5cae9}.mat-progress-bar-buffer{background-color:#c5cae9}.mat-progress-bar-fill::after{background-color:#3f51b5}.mat-progress-bar.mat-accent .mat-progress-bar-background{fill:#ff80ab}.mat-progress-bar.mat-accent .mat-progress-bar-buffer{background-color:#ff80ab}.mat-progress-bar.mat-accent .mat-progress-bar-fill::after{background-color:#ff4081}.mat-progress-bar.mat-warn .mat-progress-bar-background{fill:#ffcdd2}.mat-progress-bar.mat-warn .mat-progress-bar-buffer{background-color:#ffcdd2}.mat-progress-bar.mat-warn .mat-progress-bar-fill::after{background-color:#f44336}.mat-progress-spinner circle,.mat-spinner circle{stroke:#3f51b5}.mat-progress-spinner.mat-accent circle,.mat-spinner.mat-accent circle{stroke:#ff4081}.mat-progress-spinner.mat-warn circle,.mat-spinner.mat-warn circle{stroke:#f44336}.mat-radio-outer-circle{border-color:rgba(0,0,0,.54)}.mat-radio-disabled .mat-radio-outer-circle{border-color:rgba(0,0,0,.38)}.mat-radio-disabled .mat-radio-inner-circle,.mat-radio-disabled .mat-radio-ripple .mat-ripple-element{background-color:rgba(0,0,0,.38)}.mat-radio-disabled .mat-radio-label-content{color:rgba(0,0,0,.38)}.mat-radio-button.mat-primary.mat-radio-checked .mat-radio-outer-circle{border-color:#3f51b5}.mat-radio-button.mat-primary .mat-radio-inner-circle{background-color:#3f51b5}.mat-radio-button.mat-primary .mat-radio-ripple .mat-ripple-element{background-color:rgba(63,81,181,.26)}.mat-radio-button.mat-accent.mat-radio-checked .mat-radio-outer-circle{border-color:#ff4081}.mat-radio-button.mat-accent .mat-radio-inner-circle{background-color:#ff4081}.mat-radio-button.mat-accent .mat-radio-ripple .mat-ripple-element{background-color:rgba(255,64,129,.26)}.mat-radio-button.mat-warn.mat-radio-checked .mat-radio-outer-circle{border-color:#f44336}.mat-radio-button.mat-warn .mat-radio-inner-circle{background-color:#f44336}.mat-radio-button.mat-warn .mat-radio-ripple .mat-ripple-element{background-color:rgba(244,67,54,.26)}.mat-select-content,.mat-select-panel-done-animating{background:#fff}.mat-select-value{color:rgba(0,0,0,.87)}.mat-select-placeholder{color:rgba(0,0,0,.42)}.mat-select-disabled .mat-select-value{color:rgba(0,0,0,.38)}.mat-select-arrow{color:rgba(0,0,0,.54)}.mat-select-panel .mat-option.mat-selected:not(.mat-option-multiple){background:rgba(0,0,0,.12)}.mat-form-field.mat-focused.mat-primary .mat-select-arrow{color:#3f51b5}.mat-form-field.mat-focused.mat-accent .mat-select-arrow{color:#ff4081}.mat-form-field .mat-select.mat-select-invalid .mat-select-arrow,.mat-form-field.mat-focused.mat-warn .mat-select-arrow{color:#f44336}.mat-form-field .mat-select.mat-select-disabled .mat-select-arrow{color:rgba(0,0,0,.38)}.mat-drawer-container{background-color:#fafafa;color:rgba(0,0,0,.87)}.mat-drawer{background-color:#fff;color:rgba(0,0,0,.87)}.mat-drawer.mat-drawer-push{background-color:#fff}.mat-drawer-backdrop.mat-drawer-shown{background-color:rgba(0,0,0,.6)}.mat-slide-toggle.mat-checked:not(.mat-disabled) .mat-slide-toggle-thumb{background-color:#e91e63}.mat-slide-toggle.mat-checked:not(.mat-disabled) .mat-slide-toggle-bar{background-color:rgba(233,30,99,.5)}.mat-slide-toggle:not(.mat-checked) .mat-ripple-element{background-color:rgba(0,0,0,.06)}.mat-slide-toggle .mat-ripple-element{background-color:rgba(233,30,99,.12)}.mat-slide-toggle.mat-primary.mat-checked:not(.mat-disabled) .mat-slide-toggle-thumb{background-color:#3f51b5}.mat-slide-toggle.mat-primary.mat-checked:not(.mat-disabled) .mat-slide-toggle-bar{background-color:rgba(63,81,181,.5)}.mat-slide-toggle.mat-primary:not(.mat-checked) .mat-ripple-element{background-color:rgba(0,0,0,.06)}.mat-slide-toggle.mat-primary .mat-ripple-element{background-color:rgba(63,81,181,.12)}.mat-slide-toggle.mat-warn.mat-checked:not(.mat-disabled) .mat-slide-toggle-thumb{background-color:#f44336}.mat-slide-toggle.mat-warn.mat-checked:not(.mat-disabled) .mat-slide-toggle-bar{background-color:rgba(244,67,54,.5)}.mat-slide-toggle.mat-warn:not(.mat-checked) .mat-ripple-element{background-color:rgba(0,0,0,.06)}.mat-slide-toggle.mat-warn .mat-ripple-element{background-color:rgba(244,67,54,.12)}.mat-disabled .mat-slide-toggle-thumb{background-color:#bdbdbd}.mat-disabled .mat-slide-toggle-bar{background-color:rgba(0,0,0,.1)}.mat-slide-toggle-thumb{background-color:#fafafa}.mat-slide-toggle-bar{background-color:rgba(0,0,0,.38)}.mat-slider-track-background{background-color:rgba(0,0,0,.26)}.mat-primary .mat-slider-thumb,.mat-primary .mat-slider-thumb-label,.mat-primary .mat-slider-track-fill{background-color:#3f51b5}.mat-primary .mat-slider-thumb-label-text{color:#fff}.mat-accent .mat-slider-thumb,.mat-accent .mat-slider-thumb-label,.mat-accent .mat-slider-track-fill{background-color:#ff4081}.mat-accent .mat-slider-thumb-label-text{color:#fff}.mat-warn .mat-slider-thumb,.mat-warn .mat-slider-thumb-label,.mat-warn .mat-slider-track-fill{background-color:#f44336}.mat-warn .mat-slider-thumb-label-text{color:#fff}.mat-slider-focus-ring{background-color:rgba(255,64,129,.2)}.cdk-focused .mat-slider-track-background,.mat-slider:hover .mat-slider-track-background{background-color:rgba(0,0,0,.38)}.mat-slider-disabled .mat-slider-thumb,.mat-slider-disabled .mat-slider-track-background,.mat-slider-disabled .mat-slider-track-fill,.mat-slider-disabled:hover .mat-slider-track-background{background-color:rgba(0,0,0,.26)}.mat-slider-min-value .mat-slider-focus-ring{background-color:rgba(0,0,0,.12)}.mat-slider-min-value.mat-slider-thumb-label-showing .mat-slider-thumb,.mat-slider-min-value.mat-slider-thumb-label-showing .mat-slider-thumb-label{background-color:rgba(0,0,0,.87)}.mat-slider-min-value.mat-slider-thumb-label-showing.cdk-focused .mat-slider-thumb,.mat-slider-min-value.mat-slider-thumb-label-showing.cdk-focused .mat-slider-thumb-label{background-color:rgba(0,0,0,.26)}.mat-slider-min-value:not(.mat-slider-thumb-label-showing) .mat-slider-thumb{border-color:rgba(0,0,0,.26);background-color:transparent}.mat-slider-min-value:not(.mat-slider-thumb-label-showing).cdk-focused .mat-slider-thumb,.mat-slider-min-value:not(.mat-slider-thumb-label-showing):hover .mat-slider-thumb{border-color:rgba(0,0,0,.38)}.mat-slider-min-value:not(.mat-slider-thumb-label-showing).cdk-focused.mat-slider-disabled .mat-slider-thumb,.mat-slider-min-value:not(.mat-slider-thumb-label-showing):hover.mat-slider-disabled .mat-slider-thumb{border-color:rgba(0,0,0,.26)}.mat-slider-has-ticks .mat-slider-wrapper::after{border-color:rgba(0,0,0,.7)}.mat-slider-horizontal .mat-slider-ticks{background-image:repeating-linear-gradient(to right,rgba(0,0,0,.7),rgba(0,0,0,.7) 2px,transparent 0,transparent);background-image:-moz-repeating-linear-gradient(.0001deg,rgba(0,0,0,.7),rgba(0,0,0,.7) 2px,transparent 0,transparent)}.mat-slider-vertical .mat-slider-ticks{background-image:repeating-linear-gradient(to bottom,rgba(0,0,0,.7),rgba(0,0,0,.7) 2px,transparent 0,transparent)}.mat-step-header.cdk-keyboard-focused,.mat-step-header.cdk-program-focused,.mat-step-header:hover{background-color:rgba(0,0,0,.04)}.mat-step-header .mat-step-label,.mat-step-header .mat-step-optional{color:rgba(0,0,0,.38)}.mat-step-header .mat-step-icon{background-color:#3f51b5;color:#fff}.mat-step-header .mat-step-icon-not-touched{background-color:rgba(0,0,0,.38);color:#fff}.mat-step-header .mat-step-label.mat-step-label-active{color:rgba(0,0,0,.87)}.mat-stepper-horizontal,.mat-stepper-vertical{background-color:#fff}.mat-stepper-vertical-line::before{border-left-color:rgba(0,0,0,.12)}.mat-stepper-horizontal-line{border-top-color:rgba(0,0,0,.12)}.mat-tab-header,.mat-tab-nav-bar{border-bottom:1px solid rgba(0,0,0,.12)}.mat-tab-group-inverted-header .mat-tab-header,.mat-tab-group-inverted-header .mat-tab-nav-bar{border-top:1px solid rgba(0,0,0,.12);border-bottom:none}.mat-tab-label,.mat-tab-link{color:rgba(0,0,0,.87)}.mat-tab-label.mat-tab-disabled,.mat-tab-link.mat-tab-disabled{color:rgba(0,0,0,.38)}.mat-tab-header-pagination-chevron{border-color:rgba(0,0,0,.87)}.mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron{border-color:rgba(0,0,0,.38)}.mat-tab-group[class*=mat-background-] .mat-tab-header,.mat-tab-nav-bar[class*=mat-background-]{border-bottom:none;border-top:none}.mat-tab-group.mat-primary .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-group.mat-primary .mat-tab-link:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-primary .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-primary .mat-tab-link:not(.mat-tab-disabled):focus{background-color:rgba(197,202,233,.3)}.mat-tab-group.mat-primary .mat-ink-bar,.mat-tab-nav-bar.mat-primary .mat-ink-bar{background-color:#3f51b5}.mat-tab-group.mat-primary.mat-background-primary .mat-ink-bar,.mat-tab-nav-bar.mat-primary.mat-background-primary .mat-ink-bar{background-color:#fff}.mat-tab-group.mat-accent .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-group.mat-accent .mat-tab-link:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-accent .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-accent .mat-tab-link:not(.mat-tab-disabled):focus{background-color:rgba(255,128,171,.3)}.mat-tab-group.mat-accent .mat-ink-bar,.mat-tab-nav-bar.mat-accent .mat-ink-bar{background-color:#ff4081}.mat-tab-group.mat-accent.mat-background-accent .mat-ink-bar,.mat-tab-nav-bar.mat-accent.mat-background-accent .mat-ink-bar{background-color:#fff}.mat-tab-group.mat-warn .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-group.mat-warn .mat-tab-link:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-warn .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-warn .mat-tab-link:not(.mat-tab-disabled):focus{background-color:rgba(255,205,210,.3)}.mat-tab-group.mat-warn .mat-ink-bar,.mat-tab-nav-bar.mat-warn .mat-ink-bar{background-color:#f44336}.mat-tab-group.mat-warn.mat-background-warn .mat-ink-bar,.mat-tab-nav-bar.mat-warn.mat-background-warn .mat-ink-bar{background-color:#fff}.mat-tab-group.mat-background-primary .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-group.mat-background-primary .mat-tab-link:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-background-primary .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-background-primary .mat-tab-link:not(.mat-tab-disabled):focus{background-color:rgba(197,202,233,.3)}.mat-tab-group.mat-background-primary .mat-tab-header,.mat-tab-group.mat-background-primary .mat-tab-links,.mat-tab-nav-bar.mat-background-primary .mat-tab-header,.mat-tab-nav-bar.mat-background-primary .mat-tab-links{background-color:#3f51b5}.mat-tab-group.mat-background-primary .mat-tab-label,.mat-tab-group.mat-background-primary .mat-tab-link,.mat-tab-nav-bar.mat-background-primary .mat-tab-label,.mat-tab-nav-bar.mat-background-primary .mat-tab-link{color:#fff}.mat-tab-group.mat-background-primary .mat-tab-label.mat-tab-disabled,.mat-tab-group.mat-background-primary .mat-tab-link.mat-tab-disabled,.mat-tab-nav-bar.mat-background-primary .mat-tab-label.mat-tab-disabled,.mat-tab-nav-bar.mat-background-primary .mat-tab-link.mat-tab-disabled{color:rgba(255,255,255,.4)}.mat-tab-group.mat-background-primary .mat-tab-header-pagination-chevron,.mat-tab-nav-bar.mat-background-primary .mat-tab-header-pagination-chevron{border-color:#fff}.mat-tab-group.mat-background-primary .mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron,.mat-tab-nav-bar.mat-background-primary .mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron{border-color:rgba(255,255,255,.4)}.mat-tab-group.mat-background-primary .mat-ripple-element,.mat-tab-nav-bar.mat-background-primary .mat-ripple-element{background-color:rgba(255,255,255,.12)}.mat-tab-group.mat-background-accent .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-group.mat-background-accent .mat-tab-link:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-background-accent .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-background-accent .mat-tab-link:not(.mat-tab-disabled):focus{background-color:rgba(255,128,171,.3)}.mat-tab-group.mat-background-accent .mat-tab-header,.mat-tab-group.mat-background-accent .mat-tab-links,.mat-tab-nav-bar.mat-background-accent .mat-tab-header,.mat-tab-nav-bar.mat-background-accent .mat-tab-links{background-color:#ff4081}.mat-tab-group.mat-background-accent .mat-tab-label,.mat-tab-group.mat-background-accent .mat-tab-link,.mat-tab-nav-bar.mat-background-accent .mat-tab-label,.mat-tab-nav-bar.mat-background-accent .mat-tab-link{color:#fff}.mat-tab-group.mat-background-accent .mat-tab-label.mat-tab-disabled,.mat-tab-group.mat-background-accent .mat-tab-link.mat-tab-disabled,.mat-tab-nav-bar.mat-background-accent .mat-tab-label.mat-tab-disabled,.mat-tab-nav-bar.mat-background-accent .mat-tab-link.mat-tab-disabled{color:rgba(255,255,255,.4)}.mat-tab-group.mat-background-accent .mat-tab-header-pagination-chevron,.mat-tab-nav-bar.mat-background-accent .mat-tab-header-pagination-chevron{border-color:#fff}.mat-tab-group.mat-background-accent .mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron,.mat-tab-nav-bar.mat-background-accent .mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron{border-color:rgba(255,255,255,.4)}.mat-tab-group.mat-background-accent .mat-ripple-element,.mat-tab-nav-bar.mat-background-accent .mat-ripple-element{background-color:rgba(255,255,255,.12)}.mat-tab-group.mat-background-warn .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-group.mat-background-warn .mat-tab-link:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-background-warn .mat-tab-label:not(.mat-tab-disabled):focus,.mat-tab-nav-bar.mat-background-warn .mat-tab-link:not(.mat-tab-disabled):focus{background-color:rgba(255,205,210,.3)}.mat-tab-group.mat-background-warn .mat-tab-header,.mat-tab-group.mat-background-warn .mat-tab-links,.mat-tab-nav-bar.mat-background-warn .mat-tab-header,.mat-tab-nav-bar.mat-background-warn .mat-tab-links{background-color:#f44336}.mat-tab-group.mat-background-warn .mat-tab-label,.mat-tab-group.mat-background-warn .mat-tab-link,.mat-tab-nav-bar.mat-background-warn .mat-tab-label,.mat-tab-nav-bar.mat-background-warn .mat-tab-link{color:#fff}.mat-tab-group.mat-background-warn .mat-tab-label.mat-tab-disabled,.mat-tab-group.mat-background-warn .mat-tab-link.mat-tab-disabled,.mat-tab-nav-bar.mat-background-warn .mat-tab-label.mat-tab-disabled,.mat-tab-nav-bar.mat-background-warn .mat-tab-link.mat-tab-disabled{color:rgba(255,255,255,.4)}.mat-tab-group.mat-background-warn .mat-tab-header-pagination-chevron,.mat-tab-nav-bar.mat-background-warn .mat-tab-header-pagination-chevron{border-color:#fff}.mat-tab-group.mat-background-warn .mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron,.mat-tab-nav-bar.mat-background-warn .mat-tab-header-pagination-disabled .mat-tab-header-pagination-chevron{border-color:rgba(255,255,255,.4)}.mat-tab-group.mat-background-warn .mat-ripple-element,.mat-tab-nav-bar.mat-background-warn .mat-ripple-element{background-color:rgba(255,255,255,.12)}.mat-toolbar{background:#f5f5f5;color:rgba(0,0,0,.87)}.mat-toolbar.mat-primary{background:#3f51b5;color:#fff}.mat-toolbar.mat-accent{background:#ff4081;color:#fff}.mat-toolbar.mat-warn{background:#f44336;color:#fff}.mat-toolbar .mat-focused .mat-form-field-ripple,.mat-toolbar .mat-form-field-ripple,.mat-toolbar .mat-form-field-underline{background-color:currentColor}.mat-toolbar .mat-focused .mat-form-field-label,.mat-toolbar .mat-form-field-label,.mat-toolbar .mat-form-field.mat-focused .mat-select-arrow,.mat-toolbar .mat-select-arrow,.mat-toolbar .mat-select-value{color:inherit}.mat-toolbar .mat-input-element{caret-color:currentColor}.mat-tooltip{background:rgba(97,97,97,.9)}.mat-tree{font-family:Roboto,"Helvetica Neue",sans-serif;background:#fff}.mat-tree-node{font-weight:400;font-size:14px;color:rgba(0,0,0,.87)}.mat-snack-bar-container{background:#323232;color:#fff}.mat-simple-snackbar-action{color:#ff4081}body{margin:0} -------------------------------------------------------------------------------- /backend/angular/polyfills.513340fb3a708ab6cde2.js: -------------------------------------------------------------------------------- 1 | (window.webpackJsonp=window.webpackJsonp||[]).push([[3],{"+rLv":function(e,t,n){var r=n("dyZX").document;e.exports=r&&r.documentElement},"0/R4":function(e,t){e.exports=function(e){return"object"==typeof e?null!==e:"function"==typeof e}},"0TWp":function(e,t,n){!function(){"use strict";!function(e){var t=e.performance;function n(e){t&&t.mark&&t.mark(e)}function r(e,n){t&&t.measure&&t.measure(e,n)}if(n("Zone"),e.Zone)throw new Error("Zone already loaded.");var o,i=function(){function t(e,t){this._properties=null,this._parent=e,this._name=t?t.name||"unnamed":"",this._properties=t&&t.properties||{},this._zoneDelegate=new c(this,this._parent&&this._parent._zoneDelegate,t)}return t.assertZonePatched=function(){if(e.Promise!==O.ZoneAwarePromise)throw new Error("Zone.js has detected that ZoneAwarePromise `(window|global).Promise` has been overwritten.\nMost likely cause is that a Promise polyfill has been loaded after Zone.js (Polyfilling Promise api is not necessary when zone.js is loaded. If you must load one, do so before loading zone.js.)")},Object.defineProperty(t,"root",{get:function(){for(var e=t.current;e.parent;)e=e.parent;return e},enumerable:!0,configurable:!0}),Object.defineProperty(t,"current",{get:function(){return D.zone},enumerable:!0,configurable:!0}),Object.defineProperty(t,"currentTask",{get:function(){return j},enumerable:!0,configurable:!0}),t.__load_patch=function(o,i){if(O.hasOwnProperty(o))throw Error("Already loaded patch: "+o);if(!e["__Zone_disable_"+o]){var a="Zone:"+o;n(a),O[o]=i(e,t,S),r(a,a)}},Object.defineProperty(t.prototype,"parent",{get:function(){return this._parent},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"name",{get:function(){return this._name},enumerable:!0,configurable:!0}),t.prototype.get=function(e){var t=this.getZoneWith(e);if(t)return t._properties[e]},t.prototype.getZoneWith=function(e){for(var t=this;t;){if(t._properties.hasOwnProperty(e))return t;t=t._parent}return null},t.prototype.fork=function(e){if(!e)throw new Error("ZoneSpec required!");return this._zoneDelegate.fork(this,e)},t.prototype.wrap=function(e,t){if("function"!=typeof e)throw new Error("Expecting function got: "+e);var n=this._zoneDelegate.intercept(this,e,t),r=this;return function(){return r.runGuarded(n,this,arguments,t)}},t.prototype.run=function(e,t,n,r){void 0===t&&(t=void 0),void 0===n&&(n=null),void 0===r&&(r=null),D={parent:D,zone:this};try{return this._zoneDelegate.invoke(this,e,t,n,r)}finally{D=D.parent}},t.prototype.runGuarded=function(e,t,n,r){void 0===t&&(t=null),void 0===n&&(n=null),void 0===r&&(r=null),D={parent:D,zone:this};try{try{return this._zoneDelegate.invoke(this,e,t,n,r)}catch(e){if(this._zoneDelegate.handleError(this,e))throw e}}finally{D=D.parent}},t.prototype.runTask=function(e,t,n){if(e.zone!=this)throw new Error("A task can only be run in the zone of creation! (Creation: "+(e.zone||g).name+"; Execution: "+this.name+")");if(e.state!==y||e.type!==x){var r=e.state!=k;r&&e._transitionTo(k,m),e.runCount++;var o=j;j=e,D={parent:D,zone:this};try{e.type==E&&e.data&&!e.data.isPeriodic&&(e.cancelFn=null);try{return this._zoneDelegate.invokeTask(this,e,t,n)}catch(e){if(this._zoneDelegate.handleError(this,e))throw e}}finally{e.state!==y&&e.state!==T&&(e.type==x||e.data&&e.data.isPeriodic?r&&e._transitionTo(m,k):(e.runCount=0,this._updateTaskCount(e,-1),r&&e._transitionTo(y,k,y))),D=D.parent,j=o}}},t.prototype.scheduleTask=function(e){if(e.zone&&e.zone!==this)for(var t=this;t;){if(t===e.zone)throw Error("can not reschedule task to "+this.name+" which is descendants of the original zone "+e.zone.name);t=t.parent}e._transitionTo(_,y);var n=[];e._zoneDelegates=n,e._zone=this;try{e=this._zoneDelegate.scheduleTask(this,e)}catch(t){throw e._transitionTo(T,_,y),this._zoneDelegate.handleError(this,t),t}return e._zoneDelegates===n&&this._updateTaskCount(e,1),e.state==_&&e._transitionTo(m,_),e},t.prototype.scheduleMicroTask=function(e,t,n,r){return this.scheduleTask(new u(w,e,t,n,r,null))},t.prototype.scheduleMacroTask=function(e,t,n,r,o){return this.scheduleTask(new u(E,e,t,n,r,o))},t.prototype.scheduleEventTask=function(e,t,n,r,o){return this.scheduleTask(new u(x,e,t,n,r,o))},t.prototype.cancelTask=function(e){if(e.zone!=this)throw new Error("A task can only be cancelled in the zone of creation! (Creation: "+(e.zone||g).name+"; Execution: "+this.name+")");e._transitionTo(b,m,k);try{this._zoneDelegate.cancelTask(this,e)}catch(t){throw e._transitionTo(T,b),this._zoneDelegate.handleError(this,t),t}return this._updateTaskCount(e,-1),e._transitionTo(y,b),e.runCount=0,e},t.prototype._updateTaskCount=function(e,t){var n=e._zoneDelegates;-1==t&&(e._zoneDelegates=null);for(var r=0;r0,macroTask:n.macroTask>0,eventTask:n.eventTask>0,change:e})},e}(),u=function(){function t(n,r,o,i,a,c){this._zone=null,this.runCount=0,this._zoneDelegates=null,this._state="notScheduled",this.type=n,this.source=r,this.data=i,this.scheduleFn=a,this.cancelFn=c,this.callback=o;var u=this;this.invoke=n===x&&i&&i.useG?t.invokeTask:function(){return t.invokeTask.call(e,u,this,arguments)}}return t.invokeTask=function(e,t,n){e||(e=this),P++;try{return e.runCount++,e.zone.runTask(e,t,n)}finally{1==P&&d(),P--}},Object.defineProperty(t.prototype,"zone",{get:function(){return this._zone},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"state",{get:function(){return this._state},enumerable:!0,configurable:!0}),t.prototype.cancelScheduleRequest=function(){this._transitionTo(y,_)},t.prototype._transitionTo=function(e,t,n){if(this._state!==t&&this._state!==n)throw new Error(this.type+" '"+this.source+"': can not transition to '"+e+"', expecting state '"+t+"'"+(n?" or '"+n+"'":"")+", was '"+this._state+"'.");this._state=e,e==y&&(this._zoneDelegates=null)},t.prototype.toString=function(){return this.data&&void 0!==this.data.handleId?this.data.handleId:Object.prototype.toString.call(this)},t.prototype.toJSON=function(){return{type:this.type,state:this.state,source:this.source,zone:this.zone.name,runCount:this.runCount}},t}(),s=z("setTimeout"),l=z("Promise"),f=z("then"),p=[],h=!1;function v(t){0===P&&0===p.length&&(o||e[l]&&(o=e[l].resolve(0)),o?o[f](d):e[s](d,0)),t&&p.push(t)}function d(){if(!h){for(h=!0;p.length;){var e=p;p=[];for(var t=0;t=0;n--)"function"==typeof e[n]&&(e[n]=p(e[n],t+"_"+n));return e}function b(e){return!e||!1!==e.writable&&!("function"==typeof e.get&&void 0===e.set)}var T="undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope,w=!("nw"in y)&&void 0!==y.process&&"[object process]"==={}.toString.call(y.process),E=!w&&!T&&!(!d||!g.HTMLElement),x=void 0!==y.process&&"[object process]"==={}.toString.call(y.process)&&!T&&!(!d||!g.HTMLElement),O={},S=function(e){if(e=e||y.event){var t=O[e.type];t||(t=O[e.type]=v("ON_PROPERTY"+e.type));var n=(this||e.target||y)[t],r=n&&n.apply(this,arguments);return void 0==r||r||e.preventDefault(),r}};function D(n,r,o){var i=e(n,r);if(!i&&o&&e(o,r)&&(i={enumerable:!0,configurable:!0}),i&&i.configurable){delete i.writable,delete i.value;var a=i.get,c=i.set,u=r.substr(2),s=O[u];s||(s=O[u]=v("ON_PROPERTY"+u)),i.set=function(e){var t=this;t||n!==y||(t=y),t&&(t[s]&&t.removeEventListener(u,S),c&&c.apply(t,m),"function"==typeof e?(t[s]=e,t.addEventListener(u,S,!1)):t[s]=null)},i.get=function(){var e=this;if(e||n!==y||(e=y),!e)return null;var t=e[s];if(t)return t;if(a){var o=a&&a.call(this);if(o)return i.set.call(this,o),"function"==typeof e[_]&&e.removeAttribute(r),o}return null},t(n,r,i)}}function j(e,t,n){if(t)for(var r=0;r1?new c(t,n):new c(t),f=e(l,"onmessage");return f&&!1===f.configurable?(u=r(l),s=l,[i,a,"send","close"].forEach(function(e){u[e]=function(){var t=o.call(arguments);if(e===i||e===a){var n=t.length>0?t[0]:void 0;if(n){var r=Zone.__symbol__("ON_PROPERTY"+n);l[r]=u[r]}}return l[e].apply(l,t)}})):u=l,j(u,["close","error","message","open"],s),u};var u=n.WebSocket;for(var s in c)u[s]=c[s]}(0,u)}}var fe=v("unbound");Zone.__load_patch("util",function(e,t,n){n.patchOnProperties=j,n.patchMethod=z,n.bindArguments=k}),Zone.__load_patch("timers",function(e){K(e,"set","clear","Timeout"),K(e,"set","clear","Interval"),K(e,"set","clear","Immediate")}),Zone.__load_patch("requestAnimationFrame",function(e){K(e,"request","cancel","AnimationFrame"),K(e,"mozRequest","mozCancel","AnimationFrame"),K(e,"webkitRequest","webkitCancel","AnimationFrame")}),Zone.__load_patch("blocking",function(e,t){for(var n=["alert","prompt","confirm"],r=0;r=0&&"function"==typeof n[r.cbIdx]?h(r.name,n[r.cbIdx],r,i,null):e.apply(t,n)}})}()}),Zone.__load_patch("XHR",function(e,t){!function(t){var s=XMLHttpRequest.prototype,l=s[c],f=s[u];if(!l){var p=e.XMLHttpRequestEventTarget;if(p){var v=p.prototype;l=v[c],f=v[u]}}var d="readystatechange",g="scheduled";function y(e){XMLHttpRequest[i]=!1;var t=e.data,r=t.target,a=r[o];l||(l=r[c],f=r[u]),a&&f.call(r,d,a);var s=r[o]=function(){r.readyState===r.DONE&&!t.aborted&&XMLHttpRequest[i]&&e.state===g&&e.invoke()};return l.call(r,d,s),r[n]||(r[n]=e),b.apply(r,t.args),XMLHttpRequest[i]=!0,e}function _(){}function m(e){var t=e.data;return t.aborted=!0,T.apply(t.target,t.args)}var k=z(s,"open",function(){return function(e,t){return e[r]=0==t[2],e[a]=t[1],k.apply(e,t)}}),b=z(s,"send",function(){return function(e,t){return e[r]?b.apply(e,t):h("XMLHttpRequest.send",_,{target:e,url:e[a],isPeriodic:!1,delay:null,args:t,aborted:!1},y,m)}}),T=z(s,"abort",function(){return function(e){var t=e[n];if(t&&"string"==typeof t.type){if(null==t.cancelFn||t.data&&t.data.aborted)return;t.zone.cancelTask(t)}}})}();var n=v("xhrTask"),r=v("xhrSync"),o=v("xhrListener"),i=v("xhrScheduled"),a=v("xhrURL")}),Zone.__load_patch("geolocation",function(t){t.navigator&&t.navigator.geolocation&&function(t,n){for(var r=t.constructor.name,o=function(o){var i=n[o],a=t[i];if(a){if(!b(e(t,i)))return"continue";t[i]=function(e){var t=function(){return e.apply(this,k(arguments,r+"."+i))};return M(t,e),t}(a)}},i=0;i0?arguments[0]:void 0)}},{get:function(e){var t=r.getEntry(o(this,"Map"),e);return t&&t.v},set:function(e,t){return r.def(o(this,"Map"),0===e?0:e,t)}},r,!0)},"9gX7":function(e,t){e.exports=function(e,t,n,r){if(!(e instanceof t)||void 0!==r&&r in e)throw TypeError(n+": incorrect invocation!");return e}},Afnz:function(e,t,n){"use strict";var r=n("LQAc"),o=n("XKFU"),i=n("KroJ"),a=n("Mukb"),c=n("hPIQ"),u=n("QaDb"),s=n("fyDq"),l=n("OP3Y"),f=n("K0xU")("iterator"),p=!([].keys&&"next"in[].keys()),h=function(){return this};e.exports=function(e,t,n,v,d,g,y){u(n,t,v);var _,m,k,b=function(e){if(!p&&e in x)return x[e];switch(e){case"keys":case"values":return function(){return new n(this,e)}}return function(){return new n(this,e)}},T=t+" Iterator",w="values"==d,E=!1,x=e.prototype,O=x[f]||x["@@iterator"]||d&&x[d],S=O||b(d),D=d?w?b("entries"):S:void 0,j="Array"==t&&x.entries||O;if(j&&(k=l(j.call(new e)))!==Object.prototype&&k.next&&(s(k,T,!0),r||"function"==typeof k[f]||a(k,f,h)),w&&O&&"values"!==O.name&&(E=!0,S=function(){return O.call(this)}),r&&!y||!p&&!E&&x[f]||a(x,f,S),c[t]=S,c[T]=h,d)if(_={values:w?S:b("values"),keys:g?S:b("keys"),entries:D},y)for(m in _)m in x||i(x,m,_[m]);else o(o.P+o.F*(p||E),t,_);return _}},BqfV:function(e,t,n){var r=n("N6cJ"),o=n("y3w9"),i=r.get,a=r.key;r.exp({getOwnMetadata:function(e,t){return i(e,o(t),arguments.length<3?void 0:a(arguments[2]))}})},CkkT:function(e,t,n){var r=n("m0Pp"),o=n("Ymqv"),i=n("S/j/"),a=n("ne8i"),c=n("zRwo");e.exports=function(e,t){var n=1==e,u=2==e,s=3==e,l=4==e,f=6==e,p=5==e||f,h=t||c;return function(t,c,v){for(var d,g,y=i(t),_=o(y),m=r(c,v,3),k=a(_.length),b=0,T=n?h(t,k):u?h(t,0):void 0;k>b;b++)if((p||b in _)&&(g=m(d=_[b],b,y),e))if(n)T[b]=g;else if(g)switch(e){case 3:return!0;case 5:return d;case 6:return b;case 2:T.push(d)}else if(l)return!1;return f?-1:s||l?l:T}}},DVgA:function(e,t,n){var r=n("zhAb"),o=n("4R4u");e.exports=Object.keys||function(e){return r(e,o)}},EK0E:function(e,t,n){"use strict";var r,o=n("CkkT")(0),i=n("KroJ"),a=n("Z6vF"),c=n("czNK"),u=n("ZD67"),s=n("0/R4"),l=n("eeVq"),f=n("s5qY"),p=a.getWeak,h=Object.isExtensible,v=u.ufstore,d={},g=function(e){return function(){return e(this,arguments.length>0?arguments[0]:void 0)}},y={get:function(e){if(s(e)){var t=p(e);return!0===t?v(f(this,"WeakMap")).get(e):t?t[this._i]:void 0}},set:function(e,t){return u.def(f(this,"WeakMap"),e,t)}},_=e.exports=n("4LiD")("WeakMap",g,y,u,!0,!0);l(function(){return 7!=(new _).set((Object.freeze||Object)(d),7).get(d)})&&(c((r=u.getConstructor(g,"WeakMap")).prototype,y),a.NEED=!0,o(["delete","has","get","set"],function(e){var t=_.prototype,n=t[e];i(t,e,function(t,o){if(s(t)&&!h(t)){this._f||(this._f=new r);var i=this._f[e](t,o);return"set"==e?this:i}return n.call(this,t,o)})}))},EWmC:function(e,t,n){var r=n("LZWt");e.exports=Array.isArray||function(e){return"Array"==r(e)}},EemH:function(e,t,n){var r=n("UqcF"),o=n("RjD/"),i=n("aCFj"),a=n("apmT"),c=n("aagx"),u=n("xpql"),s=Object.getOwnPropertyDescriptor;t.f=n("nh4g")?s:function(e,t){if(e=i(e),t=a(t,!0),u)try{return s(e,t)}catch(e){}if(c(e,t))return o(!r.f.call(e,t),e[t])}},FJW5:function(e,t,n){var r=n("hswa"),o=n("y3w9"),i=n("DVgA");e.exports=n("nh4g")?Object.defineProperties:function(e,t){o(e);for(var n,a=i(t),c=a.length,u=0;c>u;)r.f(e,n=a[u++],t[n]);return e}},FZcq:function(e,t,n){n("49D4"),n("zq+C"),n("45Tv"),n("uAtd"),n("BqfV"),n("fN/3"),n("iW+S"),n("7Dlh"),n("Opxb"),e.exports=n("g3g5").Reflect},H6hf:function(e,t,n){var r=n("y3w9");e.exports=function(e,t,n,o){try{return o?t(r(n)[0],n[1]):t(n)}catch(t){var i=e.return;throw void 0!==i&&r(i.call(e)),t}}},"I8a+":function(e,t,n){var r=n("LZWt"),o=n("K0xU")("toStringTag"),i="Arguments"==r(function(){return arguments}());e.exports=function(e){var t,n,a;return void 0===e?"Undefined":null===e?"Null":"string"==typeof(n=function(e,t){try{return e[t]}catch(e){}}(t=Object(e),o))?n:i?r(t):"Object"==(a=r(t))&&"function"==typeof t.callee?"Arguments":a}},Iw71:function(e,t,n){var r=n("0/R4"),o=n("dyZX").document,i=r(o)&&r(o.createElement);e.exports=function(e){return i?o.createElement(e):{}}},"J+6e":function(e,t,n){var r=n("I8a+"),o=n("K0xU")("iterator"),i=n("hPIQ");e.exports=n("g3g5").getIteratorMethod=function(e){if(void 0!=e)return e[o]||e["@@iterator"]||i[r(e)]}},JiEa:function(e,t){t.f=Object.getOwnPropertySymbols},K0xU:function(e,t,n){var r=n("VTer")("wks"),o=n("ylqs"),i=n("dyZX").Symbol,a="function"==typeof i;(e.exports=function(e){return r[e]||(r[e]=a&&i[e]||(a?i:o)("Symbol."+e))}).store=r},KroJ:function(e,t,n){var r=n("dyZX"),o=n("Mukb"),i=n("aagx"),a=n("ylqs")("src"),c=Function.toString,u=(""+c).split("toString");n("g3g5").inspectSource=function(e){return c.call(e)},(e.exports=function(e,t,n,c){var s="function"==typeof n;s&&(i(n,"name")||o(n,"name",t)),e[t]!==n&&(s&&(i(n,a)||o(n,a,e[t]?""+e[t]:u.join(String(t)))),e===r?e[t]=n:c?e[t]?e[t]=n:o(e,t,n):(delete e[t],o(e,t,n)))})(Function.prototype,"toString",function(){return"function"==typeof this&&this[a]||c.call(this)})},Kuth:function(e,t,n){var r=n("y3w9"),o=n("FJW5"),i=n("4R4u"),a=n("YTvA")("IE_PROTO"),c=function(){},u=function(){var e,t=n("Iw71")("iframe"),r=i.length;for(t.style.display="none",n("+rLv").appendChild(t),t.src="javascript:",(e=t.contentWindow.document).open(),e.write("