@angular/core 11.2.0-rc.0 → 11.2.3

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/fesm2015/core.js CHANGED
@@ -1,6 +1,6 @@
1
1
  /**
2
- * @license Angular v11.2.0-rc.0
3
- * (c) 2010-2020 Google LLC. https://angular.io/
2
+ * @license Angular v11.2.3
3
+ * (c) 2010-2021 Google LLC. https://angular.io/
4
4
  * License: MIT
5
5
  */
6
6
 
@@ -129,6 +129,110 @@ function isForwardRef(fn) {
129
129
  fn.__forward_ref__ === forwardRef;
130
130
  }
131
131
 
132
+ /**
133
+ * @license
134
+ * Copyright Google LLC All Rights Reserved.
135
+ *
136
+ * Use of this source code is governed by an MIT-style license that can be
137
+ * found in the LICENSE file at https://angular.io/license
138
+ */
139
+ // Base URL for the error details page.
140
+ // Keep this value in sync with a similar const in
141
+ // `packages/compiler-cli/src/ngtsc/diagnostics/src/error_code.ts`.
142
+ const ERROR_DETAILS_PAGE_BASE_URL = 'https://angular.io/errors';
143
+ class RuntimeError extends Error {
144
+ constructor(code, message) {
145
+ super(formatRuntimeError(code, message));
146
+ this.code = code;
147
+ }
148
+ }
149
+ // Contains a set of error messages that have details guides at angular.io.
150
+ // Full list of available error guides can be found at https://angular.io/errors
151
+ /* tslint:disable:no-toplevel-property-access */
152
+ const RUNTIME_ERRORS_WITH_GUIDES = new Set([
153
+ "100" /* EXPRESSION_CHANGED_AFTER_CHECKED */,
154
+ "200" /* CYCLIC_DI_DEPENDENCY */,
155
+ "201" /* PROVIDER_NOT_FOUND */,
156
+ "300" /* MULTIPLE_COMPONENTS_MATCH */,
157
+ "301" /* EXPORT_NOT_FOUND */,
158
+ "302" /* PIPE_NOT_FOUND */,
159
+ ]);
160
+ /* tslint:enable:no-toplevel-property-access */
161
+ /** Called to format a runtime error */
162
+ function formatRuntimeError(code, message) {
163
+ const fullCode = code ? `NG0${code}: ` : '';
164
+ let errorMessage = `${fullCode}${message}`;
165
+ // Some runtime errors are still thrown without `ngDevMode` (for example
166
+ // `throwProviderNotFoundError`), so we add `ngDevMode` check here to avoid pulling
167
+ // `RUNTIME_ERRORS_WITH_GUIDES` symbol into prod bundles.
168
+ // TODO: revisit all instances where `RuntimeError` is thrown and see if `ngDevMode` can be added
169
+ // there instead to tree-shake more devmode-only code (and eventually remove `ngDevMode` check
170
+ // from this code).
171
+ if (ngDevMode && RUNTIME_ERRORS_WITH_GUIDES.has(code)) {
172
+ errorMessage = `${errorMessage}. Find more at ${ERROR_DETAILS_PAGE_BASE_URL}/NG0${code}`;
173
+ }
174
+ return errorMessage;
175
+ }
176
+
177
+ /**
178
+ * @license
179
+ * Copyright Google LLC All Rights Reserved.
180
+ *
181
+ * Use of this source code is governed by an MIT-style license that can be
182
+ * found in the LICENSE file at https://angular.io/license
183
+ */
184
+ /**
185
+ * Used for stringify render output in Ivy.
186
+ * Important! This function is very performance-sensitive and we should
187
+ * be extra careful not to introduce megamorphic reads in it.
188
+ * Check `core/test/render3/perf/render_stringify` for benchmarks and alternate implementations.
189
+ */
190
+ function renderStringify(value) {
191
+ if (typeof value === 'string')
192
+ return value;
193
+ if (value == null)
194
+ return '';
195
+ // Use `String` so that it invokes the `toString` method of the value. Note that this
196
+ // appears to be faster than calling `value.toString` (see `render_stringify` benchmark).
197
+ return String(value);
198
+ }
199
+ /**
200
+ * Used to stringify a value so that it can be displayed in an error message.
201
+ * Important! This function contains a megamorphic read and should only be
202
+ * used for error messages.
203
+ */
204
+ function stringifyForError(value) {
205
+ if (typeof value === 'function')
206
+ return value.name || value.toString();
207
+ if (typeof value === 'object' && value != null && typeof value.type === 'function') {
208
+ return value.type.name || value.type.toString();
209
+ }
210
+ return renderStringify(value);
211
+ }
212
+
213
+ /** Called when directives inject each other (creating a circular dependency) */
214
+ function throwCyclicDependencyError(token, path) {
215
+ const depPath = path ? `. Dependency path: ${path.join(' > ')} > ${token}` : '';
216
+ throw new RuntimeError("200" /* CYCLIC_DI_DEPENDENCY */, `Circular dependency in DI detected for ${token}${depPath}`);
217
+ }
218
+ function throwMixedMultiProviderError() {
219
+ throw new Error(`Cannot mix multi providers and regular providers`);
220
+ }
221
+ function throwInvalidProviderError(ngModuleType, providers, provider) {
222
+ let ngModuleDetail = '';
223
+ if (ngModuleType && providers) {
224
+ const providerDetail = providers.map(v => v == provider ? '?' + provider + '?' : '...');
225
+ ngModuleDetail =
226
+ ` - only instances of Provider and Type are allowed, got: [${providerDetail.join(', ')}]`;
227
+ }
228
+ throw new Error(`Invalid provider for the NgModule '${stringify(ngModuleType)}'` + ngModuleDetail);
229
+ }
230
+ /** Throws an error when a token is not found in DI. */
231
+ function throwProviderNotFoundError(token, injectorName) {
232
+ const injectorDetails = injectorName ? ` in ${injectorName}` : '';
233
+ throw new RuntimeError("201" /* PROVIDER_NOT_FOUND */, `No provider for ${stringifyForError(token)} found${injectorDetails}`);
234
+ }
235
+
132
236
  /**
133
237
  * @license
134
238
  * Copyright Google LLC All Rights Reserved.
@@ -440,7 +544,7 @@ function injectRootLimpMode(token, notFoundValue, flags) {
440
544
  return null;
441
545
  if (notFoundValue !== undefined)
442
546
  return notFoundValue;
443
- throw new Error(`Injector: NOT_FOUND [${stringify(token)}]`);
547
+ throwProviderNotFoundError(stringify(token), 'Injector');
444
548
  }
445
549
  /**
446
550
  * Assert that `_injectImplementation` is not `fn`.
@@ -1256,6 +1360,14 @@ function assertBetween(lower, upper, index) {
1256
1360
  throwError(`Index out of range (expecting ${lower} <= ${index} < ${upper})`);
1257
1361
  }
1258
1362
  }
1363
+ function assertProjectionSlots(lView, errMessage) {
1364
+ assertDefined(lView[DECLARATION_COMPONENT_VIEW], 'Component views should exist.');
1365
+ assertDefined(lView[DECLARATION_COMPONENT_VIEW][T_HOST].projection, errMessage ||
1366
+ 'Components with projection nodes (<ng-content>) must have projection slots defined.');
1367
+ }
1368
+ function assertParentView(lView, errMessage) {
1369
+ assertDefined(lView, errMessage || 'Component views should always have a parent view (component\'s host view)');
1370
+ }
1259
1371
  /**
1260
1372
  * This is a basic sanity check that the `injectorIndex` seems to point to what looks like a
1261
1373
  * NodeInjector data structure.
@@ -1292,110 +1404,6 @@ function getFactoryDef(type, throwNotFound) {
1292
1404
  return hasFactoryDef ? type[NG_FACTORY_DEF] : null;
1293
1405
  }
1294
1406
 
1295
- /**
1296
- * @license
1297
- * Copyright Google LLC All Rights Reserved.
1298
- *
1299
- * Use of this source code is governed by an MIT-style license that can be
1300
- * found in the LICENSE file at https://angular.io/license
1301
- */
1302
- // Base URL for the error details page.
1303
- // Keep this value in sync with a similar const in
1304
- // `packages/compiler-cli/src/ngtsc/diagnostics/src/error_code.ts`.
1305
- const ERROR_DETAILS_PAGE_BASE_URL = 'https://angular.io/errors';
1306
- class RuntimeError extends Error {
1307
- constructor(code, message) {
1308
- super(formatRuntimeError(code, message));
1309
- this.code = code;
1310
- }
1311
- }
1312
- // Contains a set of error messages that have details guides at angular.io.
1313
- // Full list of available error guides can be found at https://angular.io/errors
1314
- /* tslint:disable:no-toplevel-property-access */
1315
- const RUNTIME_ERRORS_WITH_GUIDES = new Set([
1316
- "100" /* EXPRESSION_CHANGED_AFTER_CHECKED */,
1317
- "200" /* CYCLIC_DI_DEPENDENCY */,
1318
- "201" /* PROVIDER_NOT_FOUND */,
1319
- "300" /* MULTIPLE_COMPONENTS_MATCH */,
1320
- "301" /* EXPORT_NOT_FOUND */,
1321
- "302" /* PIPE_NOT_FOUND */,
1322
- ]);
1323
- /* tslint:enable:no-toplevel-property-access */
1324
- /** Called to format a runtime error */
1325
- function formatRuntimeError(code, message) {
1326
- const fullCode = code ? `NG0${code}: ` : '';
1327
- let errorMessage = `${fullCode}${message}`;
1328
- // Some runtime errors are still thrown without `ngDevMode` (for example
1329
- // `throwProviderNotFoundError`), so we add `ngDevMode` check here to avoid pulling
1330
- // `RUNTIME_ERRORS_WITH_GUIDES` symbol into prod bundles.
1331
- // TODO: revisit all instances where `RuntimeError` is thrown and see if `ngDevMode` can be added
1332
- // there instead to tree-shake more devmode-only code (and eventually remove `ngDevMode` check
1333
- // from this code).
1334
- if (ngDevMode && RUNTIME_ERRORS_WITH_GUIDES.has(code)) {
1335
- errorMessage = `${errorMessage}. Find more at ${ERROR_DETAILS_PAGE_BASE_URL}/NG0${code}`;
1336
- }
1337
- return errorMessage;
1338
- }
1339
-
1340
- /**
1341
- * @license
1342
- * Copyright Google LLC All Rights Reserved.
1343
- *
1344
- * Use of this source code is governed by an MIT-style license that can be
1345
- * found in the LICENSE file at https://angular.io/license
1346
- */
1347
- /**
1348
- * Used for stringify render output in Ivy.
1349
- * Important! This function is very performance-sensitive and we should
1350
- * be extra careful not to introduce megamorphic reads in it.
1351
- * Check `core/test/render3/perf/render_stringify` for benchmarks and alternate implementations.
1352
- */
1353
- function renderStringify(value) {
1354
- if (typeof value === 'string')
1355
- return value;
1356
- if (value == null)
1357
- return '';
1358
- // Use `String` so that it invokes the `toString` method of the value. Note that this
1359
- // appears to be faster than calling `value.toString` (see `render_stringify` benchmark).
1360
- return String(value);
1361
- }
1362
- /**
1363
- * Used to stringify a value so that it can be displayed in an error message.
1364
- * Important! This function contains a megamorphic read and should only be
1365
- * used for error messages.
1366
- */
1367
- function stringifyForError(value) {
1368
- if (typeof value === 'function')
1369
- return value.name || value.toString();
1370
- if (typeof value === 'object' && value != null && typeof value.type === 'function') {
1371
- return value.type.name || value.type.toString();
1372
- }
1373
- return renderStringify(value);
1374
- }
1375
-
1376
- /** Called when directives inject each other (creating a circular dependency) */
1377
- function throwCyclicDependencyError(token, path) {
1378
- const depPath = path ? `. Dependency path: ${path.join(' > ')} > ${token}` : '';
1379
- throw new RuntimeError("200" /* CYCLIC_DI_DEPENDENCY */, `Circular dependency in DI detected for ${token}${depPath}`);
1380
- }
1381
- function throwMixedMultiProviderError() {
1382
- throw new Error(`Cannot mix multi providers and regular providers`);
1383
- }
1384
- function throwInvalidProviderError(ngModuleType, providers, provider) {
1385
- let ngModuleDetail = '';
1386
- if (ngModuleType && providers) {
1387
- const providerDetail = providers.map(v => v == provider ? '?' + provider + '?' : '...');
1388
- ngModuleDetail =
1389
- ` - only instances of Provider and Type are allowed, got: [${providerDetail.join(', ')}]`;
1390
- }
1391
- throw new Error(`Invalid provider for the NgModule '${stringify(ngModuleType)}'` + ngModuleDetail);
1392
- }
1393
- /** Throws an error when a token is not found in DI. */
1394
- function throwProviderNotFoundError(token, injectorName) {
1395
- const injectorDetails = injectorName ? ` in ${injectorName}` : '';
1396
- throw new RuntimeError("201" /* PROVIDER_NOT_FOUND */, `No provider for ${stringifyForError(token)} found${injectorDetails}`);
1397
- }
1398
-
1399
1407
  /**
1400
1408
  * @license
1401
1409
  * Copyright Google LLC All Rights Reserved.
@@ -4753,7 +4761,7 @@ Please check that 1) the type for the parameter at index ${index} is correct and
4753
4761
  * @param flags Optional flags that control how injection is executed.
4754
4762
  * The flags correspond to injection strategies that can be specified with
4755
4763
  * parameter decorators `@Host`, `@Self`, `@SkipSef`, and `@Optional`.
4756
- * @returns True if injection is successful, null otherwise.
4764
+ * @returns the injected value if injection is successful, `null` otherwise.
4757
4765
  *
4758
4766
  * @usageNotes
4759
4767
  *
@@ -5200,7 +5208,7 @@ function newTrustedFunctionForDev(...args) {
5200
5208
  // below, where the Chromium bug is also referenced:
5201
5209
  // https://github.com/w3c/webappsec-trusted-types/wiki/Trusted-Types-for-function-constructor
5202
5210
  const fnArgs = args.slice(0, -1).join(',');
5203
- const fnBody = args.pop().toString();
5211
+ const fnBody = args[args.length - 1];
5204
5212
  const body = `(function anonymous(${fnArgs}
5205
5213
  ) { ${fnBody}
5206
5214
  })`;
@@ -5208,6 +5216,13 @@ function newTrustedFunctionForDev(...args) {
5208
5216
  // being stripped out of JS binaries even if not used. The global['eval']
5209
5217
  // indirection fixes that.
5210
5218
  const fn = _global['eval'](trustedScriptFromString(body));
5219
+ if (fn.bind === undefined) {
5220
+ // Workaround for a browser bug that only exists in Chrome 83, where passing
5221
+ // a TrustedScript to eval just returns the TrustedScript back without
5222
+ // evaluating it. In that case, fall back to the most straightforward
5223
+ // implementation:
5224
+ return new Function(...args);
5225
+ }
5211
5226
  // To completely mimic the behavior of calling "new Function", two more
5212
5227
  // things need to happen:
5213
5228
  // 1. Stringifying the resulting function should return its source code
@@ -7572,12 +7587,14 @@ function getFirstNativeNode(lView, tNode) {
7572
7587
  return rNode || unwrapRNode(lView[tNode.index]);
7573
7588
  }
7574
7589
  else {
7575
- const componentView = lView[DECLARATION_COMPONENT_VIEW];
7576
- const componentHost = componentView[T_HOST];
7577
- const parentView = getLViewParent(componentView);
7578
- const firstProjectedTNode = componentHost.projection[tNode.projection];
7579
- if (firstProjectedTNode != null) {
7580
- return getFirstNativeNode(parentView, firstProjectedTNode);
7590
+ const projectionNodes = getProjectionNodes(lView, tNode);
7591
+ if (projectionNodes !== null) {
7592
+ if (Array.isArray(projectionNodes)) {
7593
+ return projectionNodes[0];
7594
+ }
7595
+ const parentView = getLViewParent(lView[DECLARATION_COMPONENT_VIEW]);
7596
+ ngDevMode && assertParentView(parentView);
7597
+ return getFirstNativeNode(parentView, projectionNodes);
7581
7598
  }
7582
7599
  else {
7583
7600
  return getFirstNativeNode(lView, tNode.next);
@@ -7586,6 +7603,16 @@ function getFirstNativeNode(lView, tNode) {
7586
7603
  }
7587
7604
  return null;
7588
7605
  }
7606
+ function getProjectionNodes(lView, tNode) {
7607
+ if (tNode !== null) {
7608
+ const componentView = lView[DECLARATION_COMPONENT_VIEW];
7609
+ const componentHost = componentView[T_HOST];
7610
+ const slotIdx = tNode.projection;
7611
+ ngDevMode && assertProjectionSlots(lView);
7612
+ return componentHost.projection[slotIdx];
7613
+ }
7614
+ return null;
7615
+ }
7589
7616
  function getBeforeNodeForView(viewIndexInContainer, lContainer) {
7590
7617
  const nextViewIndex = CONTAINER_HEADER_OFFSET + viewIndexInContainer + 1;
7591
7618
  if (nextViewIndex < lContainer.length) {
@@ -21369,7 +21396,7 @@ class Version {
21369
21396
  /**
21370
21397
  * @publicApi
21371
21398
  */
21372
- const VERSION = new Version('11.2.0-rc.0');
21399
+ const VERSION = new Version('11.2.3');
21373
21400
 
21374
21401
  /**
21375
21402
  * @license
@@ -22471,19 +22498,13 @@ function collectNativeNodes(tView, lView, tNode, result, isProjection = false) {
22471
22498
  }
22472
22499
  }
22473
22500
  else if (tNodeType & 16 /* Projection */) {
22474
- const componentView = lView[DECLARATION_COMPONENT_VIEW];
22475
- const componentHost = componentView[T_HOST];
22476
- const slotIdx = tNode.projection;
22477
- ngDevMode &&
22478
- assertDefined(componentHost.projection, 'Components with projection nodes (<ng-content>) must have projection slots defined.');
22479
- const nodesInSlot = componentHost.projection[slotIdx];
22501
+ const nodesInSlot = getProjectionNodes(lView, tNode);
22480
22502
  if (Array.isArray(nodesInSlot)) {
22481
22503
  result.push(...nodesInSlot);
22482
22504
  }
22483
22505
  else {
22484
- const parentView = getLViewParent(componentView);
22485
- ngDevMode &&
22486
- assertDefined(parentView, 'Component views should always have a parent view (component\'s host view)');
22506
+ const parentView = getLViewParent(lView[DECLARATION_COMPONENT_VIEW]);
22507
+ ngDevMode && assertParentView(parentView);
22487
22508
  collectNativeNodes(parentView[TVIEW], parentView, nodesInSlot, result, true);
22488
22509
  }
22489
22510
  }
@@ -29333,9 +29354,8 @@ function optionsReducer(dst, objs) {
29333
29354
  */
29334
29355
  class ApplicationRef {
29335
29356
  /** @internal */
29336
- constructor(_zone, _console, _injector, _exceptionHandler, _componentFactoryResolver, _initStatus) {
29357
+ constructor(_zone, _injector, _exceptionHandler, _componentFactoryResolver, _initStatus) {
29337
29358
  this._zone = _zone;
29338
- this._console = _console;
29339
29359
  this._injector = _injector;
29340
29360
  this._exceptionHandler = _exceptionHandler;
29341
29361
  this._componentFactoryResolver = _componentFactoryResolver;
@@ -29451,8 +29471,11 @@ class ApplicationRef {
29451
29471
  }
29452
29472
  });
29453
29473
  this._loadComponent(compRef);
29454
- if (isDevMode()) {
29455
- this._console.log(`Angular is running in development mode. Call enableProdMode() to enable production mode.`);
29474
+ // Note that we have still left the `isDevMode()` condition in order to avoid
29475
+ // creating a breaking change for projects that still use the View Engine.
29476
+ if ((typeof ngDevMode === 'undefined' || ngDevMode) && isDevMode()) {
29477
+ const _console = this._injector.get(Console);
29478
+ _console.log(`Angular is running in development mode. Call enableProdMode() to enable production mode.`);
29456
29479
  }
29457
29480
  return compRef;
29458
29481
  }
@@ -29534,7 +29557,6 @@ ApplicationRef.decorators = [
29534
29557
  ];
29535
29558
  ApplicationRef.ctorParameters = () => [
29536
29559
  { type: NgZone },
29537
- { type: Console },
29538
29560
  { type: Injector },
29539
29561
  { type: ErrorHandler },
29540
29562
  { type: ComponentFactoryResolver },
@@ -30477,7 +30499,7 @@ const APPLICATION_MODULE_PROVIDERS = [
30477
30499
  {
30478
30500
  provide: ApplicationRef,
30479
30501
  useClass: ApplicationRef,
30480
- deps: [NgZone, Console, Injector, ErrorHandler, ComponentFactoryResolver, ApplicationInitStatus]
30502
+ deps: [NgZone, Injector, ErrorHandler, ComponentFactoryResolver, ApplicationInitStatus]
30481
30503
  },
30482
30504
  { provide: SCHEDULER, deps: [NgZone], useFactory: zoneSchedulerFactory },
30483
30505
  {
@@ -32852,6 +32874,15 @@ function ɵɵngDeclareComponent(decl) {
32852
32874
  const compiler = getCompilerFacade();
32853
32875
  return compiler.compileComponentDeclaration(angularCoreEnv, `ng:///${decl.type.name}/ɵcmp.js`, decl);
32854
32876
  }
32877
+ /**
32878
+ * Compiles a partial pipe declaration object into a full pipe definition object.
32879
+ *
32880
+ * @codeGenApi
32881
+ */
32882
+ function ɵɵngDeclarePipe(decl) {
32883
+ const compiler = getCompilerFacade();
32884
+ return compiler.compilePipeDeclaration(angularCoreEnv, `ng:///${decl.type.name}/ɵpipe.js`, decl);
32885
+ }
32855
32886
 
32856
32887
  /**
32857
32888
  * @license
@@ -32911,5 +32942,5 @@ if (typeof ngDevMode !== 'undefined' && ngDevMode) {
32911
32942
  * Generated bundle index. Do not edit.
32912
32943
  */
32913
32944
 
32914
- export { ANALYZE_FOR_ENTRY_COMPONENTS, APP_BOOTSTRAP_LISTENER, APP_ID, APP_INITIALIZER, ApplicationInitStatus, ApplicationModule, ApplicationRef, Attribute, COMPILER_OPTIONS, CUSTOM_ELEMENTS_SCHEMA, ChangeDetectionStrategy, ChangeDetectorRef, Compiler, CompilerFactory, Component, ComponentFactory, ComponentFactoryResolver, ComponentRef, ContentChild, ContentChildren, DEFAULT_CURRENCY_CODE, DebugElement, DebugEventListener, DebugNode, DefaultIterableDiffer, Directive, ElementRef, EmbeddedViewRef, ErrorHandler, EventEmitter, Host, HostBinding, HostListener, INJECTOR$1 as INJECTOR, Inject, InjectFlags, Injectable, InjectionToken, Injector, Input, IterableDiffers, KeyValueDiffers, LOCALE_ID$1 as LOCALE_ID, MissingTranslationStrategy, ModuleWithComponentFactories, NO_ERRORS_SCHEMA, NgModule, NgModuleFactory, NgModuleFactoryLoader, NgModuleRef, NgProbeToken, NgZone, Optional, Output, PACKAGE_ROOT_URL, PLATFORM_ID, PLATFORM_INITIALIZER, Pipe, PlatformRef, Query, QueryList, ReflectiveInjector, ReflectiveKey, Renderer2, RendererFactory2, RendererStyleFlags2, ResolvedReflectiveFactory, Sanitizer, SecurityContext, Self, SimpleChange, SkipSelf, SystemJsNgModuleLoader, SystemJsNgModuleLoaderConfig, TRANSLATIONS, TRANSLATIONS_FORMAT, TemplateRef, Testability, TestabilityRegistry, Type, VERSION, Version, ViewChild, ViewChildren, ViewContainerRef, ViewEncapsulation, ViewRef$1 as ViewRef, WrappedValue, asNativeElements, assertPlatform, createPlatform, createPlatformFactory, defineInjectable, destroyPlatform, enableProdMode, forwardRef, getDebugNode$1 as getDebugNode, getModuleFactory, getPlatform, inject, isDevMode, platformCore, resolveForwardRef, setTestabilityGetter, ɵ0$3 as ɵ0, ALLOW_MULTIPLE_PLATFORMS as ɵALLOW_MULTIPLE_PLATFORMS, APP_ID_RANDOM_PROVIDER as ɵAPP_ID_RANDOM_PROVIDER, CREATE_ATTRIBUTE_DECORATOR__POST_R3__ as ɵCREATE_ATTRIBUTE_DECORATOR__POST_R3__, ChangeDetectorStatus as ɵChangeDetectorStatus, CodegenComponentFactoryResolver as ɵCodegenComponentFactoryResolver, Compiler_compileModuleAndAllComponentsAsync__POST_R3__ as ɵCompiler_compileModuleAndAllComponentsAsync__POST_R3__, Compiler_compileModuleAndAllComponentsSync__POST_R3__ as ɵCompiler_compileModuleAndAllComponentsSync__POST_R3__, Compiler_compileModuleAsync__POST_R3__ as ɵCompiler_compileModuleAsync__POST_R3__, Compiler_compileModuleSync__POST_R3__ as ɵCompiler_compileModuleSync__POST_R3__, ComponentFactory as ɵComponentFactory, Console as ɵConsole, DEFAULT_LOCALE_ID as ɵDEFAULT_LOCALE_ID, EMPTY_ARRAY$4 as ɵEMPTY_ARRAY, EMPTY_MAP as ɵEMPTY_MAP, INJECTOR_IMPL__POST_R3__ as ɵINJECTOR_IMPL__POST_R3__, INJECTOR_SCOPE as ɵINJECTOR_SCOPE, LifecycleHooksFeature as ɵLifecycleHooksFeature, LocaleDataIndex as ɵLocaleDataIndex, NG_COMP_DEF as ɵNG_COMP_DEF, NG_DIR_DEF as ɵNG_DIR_DEF, NG_ELEMENT_ID as ɵNG_ELEMENT_ID, NG_INJ_DEF as ɵNG_INJ_DEF, NG_MOD_DEF as ɵNG_MOD_DEF, NG_PIPE_DEF as ɵNG_PIPE_DEF, NG_PROV_DEF as ɵNG_PROV_DEF, NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR as ɵNOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR, NO_CHANGE as ɵNO_CHANGE, NgModuleFactory$1 as ɵNgModuleFactory, NoopNgZone as ɵNoopNgZone, ReflectionCapabilities as ɵReflectionCapabilities, ComponentFactory$1 as ɵRender3ComponentFactory, ComponentRef$1 as ɵRender3ComponentRef, NgModuleRef$1 as ɵRender3NgModuleRef, SWITCH_CHANGE_DETECTOR_REF_FACTORY__POST_R3__ as ɵSWITCH_CHANGE_DETECTOR_REF_FACTORY__POST_R3__, SWITCH_COMPILE_COMPONENT__POST_R3__ as ɵSWITCH_COMPILE_COMPONENT__POST_R3__, SWITCH_COMPILE_DIRECTIVE__POST_R3__ as ɵSWITCH_COMPILE_DIRECTIVE__POST_R3__, SWITCH_COMPILE_INJECTABLE__POST_R3__ as ɵSWITCH_COMPILE_INJECTABLE__POST_R3__, SWITCH_COMPILE_NGMODULE__POST_R3__ as ɵSWITCH_COMPILE_NGMODULE__POST_R3__, SWITCH_COMPILE_PIPE__POST_R3__ as ɵSWITCH_COMPILE_PIPE__POST_R3__, SWITCH_ELEMENT_REF_FACTORY__POST_R3__ as ɵSWITCH_ELEMENT_REF_FACTORY__POST_R3__, SWITCH_IVY_ENABLED__POST_R3__ as ɵSWITCH_IVY_ENABLED__POST_R3__, SWITCH_RENDERER2_FACTORY__POST_R3__ as ɵSWITCH_RENDERER2_FACTORY__POST_R3__, SWITCH_TEMPLATE_REF_FACTORY__POST_R3__ as ɵSWITCH_TEMPLATE_REF_FACTORY__POST_R3__, SWITCH_VIEW_CONTAINER_REF_FACTORY__POST_R3__ as ɵSWITCH_VIEW_CONTAINER_REF_FACTORY__POST_R3__, _sanitizeHtml as ɵ_sanitizeHtml, _sanitizeUrl as ɵ_sanitizeUrl, allowSanitizationBypassAndThrow as ɵallowSanitizationBypassAndThrow, anchorDef as ɵand, isForwardRef as ɵangular_packages_core_core_a, injectInjectorOnly as ɵangular_packages_core_core_b, zoneSchedulerFactory as ɵangular_packages_core_core_ba, USD_CURRENCY_CODE as ɵangular_packages_core_core_bb, _def as ɵangular_packages_core_core_bc, DebugContext as ɵangular_packages_core_core_bd, NgOnChangesFeatureImpl as ɵangular_packages_core_core_be, SCHEDULER as ɵangular_packages_core_core_bf, injectAttributeImpl as ɵangular_packages_core_core_bg, getLView as ɵangular_packages_core_core_bh, getBindingRoot as ɵangular_packages_core_core_bi, nextContextImpl as ɵangular_packages_core_core_bj, pureFunction1Internal as ɵangular_packages_core_core_bl, pureFunction2Internal as ɵangular_packages_core_core_bm, pureFunction3Internal as ɵangular_packages_core_core_bn, pureFunction4Internal as ɵangular_packages_core_core_bo, pureFunctionVInternal as ɵangular_packages_core_core_bp, getUrlSanitizer as ɵangular_packages_core_core_bq, makePropDecorator as ɵangular_packages_core_core_br, makeParamDecorator as ɵangular_packages_core_core_bs, getClosureSafeProperty as ɵangular_packages_core_core_bv, NullInjector as ɵangular_packages_core_core_bw, getInjectImplementation as ɵangular_packages_core_core_bx, getNativeByTNode as ɵangular_packages_core_core_bz, attachInjectFlag as ɵangular_packages_core_core_c, getRootContext as ɵangular_packages_core_core_cb, i18nPostprocess as ɵangular_packages_core_core_cc, ReflectiveInjector_ as ɵangular_packages_core_core_d, ReflectiveDependency as ɵangular_packages_core_core_e, resolveReflectiveProviders as ɵangular_packages_core_core_f, _appIdRandomProviderFactory as ɵangular_packages_core_core_g, injectRenderer2 as ɵangular_packages_core_core_h, injectElementRef as ɵangular_packages_core_core_i, createElementRef as ɵangular_packages_core_core_j, getModuleFactory__PRE_R3__ as ɵangular_packages_core_core_k, injectTemplateRef as ɵangular_packages_core_core_l, createTemplateRef as ɵangular_packages_core_core_m, injectViewContainerRef as ɵangular_packages_core_core_n, DebugNode__PRE_R3__ as ɵangular_packages_core_core_o, DebugElement__PRE_R3__ as ɵangular_packages_core_core_p, getDebugNodeR2__PRE_R3__ as ɵangular_packages_core_core_q, injectChangeDetectorRef as ɵangular_packages_core_core_r, DefaultIterableDifferFactory as ɵangular_packages_core_core_s, DefaultKeyValueDifferFactory as ɵangular_packages_core_core_t, defaultIterableDiffersFactory as ɵangular_packages_core_core_u, defaultKeyValueDiffersFactory as ɵangular_packages_core_core_v, _iterableDiffersFactory as ɵangular_packages_core_core_w, _keyValueDiffersFactory as ɵangular_packages_core_core_x, _localeFactory as ɵangular_packages_core_core_y, APPLICATION_MODULE_PROVIDERS as ɵangular_packages_core_core_z, bypassSanitizationTrustHtml as ɵbypassSanitizationTrustHtml, bypassSanitizationTrustResourceUrl as ɵbypassSanitizationTrustResourceUrl, bypassSanitizationTrustScript as ɵbypassSanitizationTrustScript, bypassSanitizationTrustStyle as ɵbypassSanitizationTrustStyle, bypassSanitizationTrustUrl as ɵbypassSanitizationTrustUrl, createComponentFactory as ɵccf, clearOverrides as ɵclearOverrides, clearResolutionOfComponentResourcesQueue as ɵclearResolutionOfComponentResourcesQueue, createNgModuleFactory as ɵcmf, compileComponent as ɵcompileComponent, compileDirective as ɵcompileDirective, compileNgModule as ɵcompileNgModule, compileNgModuleDefs as ɵcompileNgModuleDefs, compileNgModuleFactory__POST_R3__ as ɵcompileNgModuleFactory__POST_R3__, compilePipe as ɵcompilePipe, createInjector as ɵcreateInjector, createRendererType2 as ɵcrt, defaultIterableDiffers as ɵdefaultIterableDiffers, defaultKeyValueDiffers as ɵdefaultKeyValueDiffers, detectChanges as ɵdetectChanges, devModeEqual as ɵdevModeEqual, directiveDef as ɵdid, elementDef as ɵeld, findLocaleData as ɵfindLocaleData, flushModuleScopingQueueAsMuchAsPossible as ɵflushModuleScopingQueueAsMuchAsPossible, getComponentViewDefinitionFactory as ɵgetComponentViewDefinitionFactory, getDebugNodeR2 as ɵgetDebugNodeR2, getDebugNode__POST_R3__ as ɵgetDebugNode__POST_R3__, getDirectives as ɵgetDirectives, getHostElement as ɵgetHostElement, getInjectableDef as ɵgetInjectableDef, getLContext as ɵgetLContext, getLocaleCurrencyCode as ɵgetLocaleCurrencyCode, getLocalePluralCase as ɵgetLocalePluralCase, getModuleFactory__POST_R3__ as ɵgetModuleFactory__POST_R3__, getSanitizationBypassType as ɵgetSanitizationBypassType, _global as ɵglobal, initServicesIfNeeded as ɵinitServicesIfNeeded, inlineInterpolate as ɵinlineInterpolate, interpolate as ɵinterpolate, isBoundToModule__POST_R3__ as ɵisBoundToModule__POST_R3__, isDefaultChangeDetectionStrategy as ɵisDefaultChangeDetectionStrategy, isListLikeIterable as ɵisListLikeIterable, isObservable as ɵisObservable, isPromise as ɵisPromise, isSubscribable as ɵisSubscribable, ivyEnabled as ɵivyEnabled, makeDecorator as ɵmakeDecorator, markDirty as ɵmarkDirty, moduleDef as ɵmod, moduleProvideDef as ɵmpd, ngContentDef as ɵncd, noSideEffects as ɵnoSideEffects, nodeValue as ɵnov, overrideComponentView as ɵoverrideComponentView, overrideProvider as ɵoverrideProvider, pureArrayDef as ɵpad, patchComponentDefWithScope as ɵpatchComponentDefWithScope, pipeDef as ɵpid, pureObjectDef as ɵpod, purePipeDef as ɵppd, providerDef as ɵprd, publishDefaultGlobalUtils as ɵpublishDefaultGlobalUtils, publishGlobalUtil as ɵpublishGlobalUtil, queryDef as ɵqud, registerLocaleData as ɵregisterLocaleData, registerModuleFactory as ɵregisterModuleFactory, registerNgModuleType as ɵregisterNgModuleType, renderComponent$1 as ɵrenderComponent, resetCompiledComponents as ɵresetCompiledComponents, resetJitOptions as ɵresetJitOptions, resolveComponentResources as ɵresolveComponentResources, setClassMetadata as ɵsetClassMetadata, setCurrentInjector as ɵsetCurrentInjector, setDocument as ɵsetDocument, setLocaleId as ɵsetLocaleId, store as ɵstore, stringify as ɵstringify, textDef as ɵted, transitiveScopesFor as ɵtransitiveScopesFor, unregisterAllLocaleData as ɵunregisterLocaleData, unwrapValue as ɵunv, unwrapSafeValue as ɵunwrapSafeValue, viewDef as ɵvid, whenRendered as ɵwhenRendered, ɵɵCopyDefinitionFeature, ɵɵInheritDefinitionFeature, ɵɵNgOnChangesFeature, ɵɵProvidersFeature, ɵɵadvance, ɵɵattribute, ɵɵattributeInterpolate1, ɵɵattributeInterpolate2, ɵɵattributeInterpolate3, ɵɵattributeInterpolate4, ɵɵattributeInterpolate5, ɵɵattributeInterpolate6, ɵɵattributeInterpolate7, ɵɵattributeInterpolate8, ɵɵattributeInterpolateV, ɵɵclassMap, ɵɵclassMapInterpolate1, ɵɵclassMapInterpolate2, ɵɵclassMapInterpolate3, ɵɵclassMapInterpolate4, ɵɵclassMapInterpolate5, ɵɵclassMapInterpolate6, ɵɵclassMapInterpolate7, ɵɵclassMapInterpolate8, ɵɵclassMapInterpolateV, ɵɵclassProp, ɵɵcontentQuery, ɵɵdefineComponent, ɵɵdefineDirective, ɵɵdefineInjectable, ɵɵdefineInjector, ɵɵdefineNgModule, ɵɵdefinePipe, ɵɵdirectiveInject, ɵɵdisableBindings, ɵɵelement, ɵɵelementContainer, ɵɵelementContainerEnd, ɵɵelementContainerStart, ɵɵelementEnd, ɵɵelementStart, ɵɵenableBindings, ɵɵgetCurrentView, ɵɵgetFactoryOf, ɵɵgetInheritedFactory, ɵɵhostProperty, ɵɵi18n, ɵɵi18nApply, ɵɵi18nAttributes, ɵɵi18nEnd, ɵɵi18nExp, ɵɵi18nPostprocess, ɵɵi18nStart, ɵɵinject, ɵɵinjectAttribute, ɵɵinjectPipeChangeDetectorRef, ɵɵinvalidFactory, ɵɵinvalidFactoryDep, ɵɵlistener, ɵɵloadQuery, ɵɵnamespaceHTML, ɵɵnamespaceMathML, ɵɵnamespaceSVG, ɵɵnextContext, ɵɵngDeclareComponent, ɵɵngDeclareDirective, ɵɵpipe, ɵɵpipeBind1, ɵɵpipeBind2, ɵɵpipeBind3, ɵɵpipeBind4, ɵɵpipeBindV, ɵɵprojection, ɵɵprojectionDef, ɵɵproperty, ɵɵpropertyInterpolate, ɵɵpropertyInterpolate1, ɵɵpropertyInterpolate2, ɵɵpropertyInterpolate3, ɵɵpropertyInterpolate4, ɵɵpropertyInterpolate5, ɵɵpropertyInterpolate6, ɵɵpropertyInterpolate7, ɵɵpropertyInterpolate8, ɵɵpropertyInterpolateV, ɵɵpureFunction0, ɵɵpureFunction1, ɵɵpureFunction2, ɵɵpureFunction3, ɵɵpureFunction4, ɵɵpureFunction5, ɵɵpureFunction6, ɵɵpureFunction7, ɵɵpureFunction8, ɵɵpureFunctionV, ɵɵqueryRefresh, ɵɵreference, ɵɵresolveBody, ɵɵresolveDocument, ɵɵresolveWindow, ɵɵrestoreView, ɵɵsanitizeHtml, ɵɵsanitizeResourceUrl, ɵɵsanitizeScript, ɵɵsanitizeStyle, ɵɵsanitizeUrl, ɵɵsanitizeUrlOrResourceUrl, ɵɵsetComponentScope, ɵɵsetNgModuleScope, ɵɵstyleMap, ɵɵstyleMapInterpolate1, ɵɵstyleMapInterpolate2, ɵɵstyleMapInterpolate3, ɵɵstyleMapInterpolate4, ɵɵstyleMapInterpolate5, ɵɵstyleMapInterpolate6, ɵɵstyleMapInterpolate7, ɵɵstyleMapInterpolate8, ɵɵstyleMapInterpolateV, ɵɵstyleProp, ɵɵstylePropInterpolate1, ɵɵstylePropInterpolate2, ɵɵstylePropInterpolate3, ɵɵstylePropInterpolate4, ɵɵstylePropInterpolate5, ɵɵstylePropInterpolate6, ɵɵstylePropInterpolate7, ɵɵstylePropInterpolate8, ɵɵstylePropInterpolateV, ɵɵsyntheticHostListener, ɵɵsyntheticHostProperty, ɵɵtemplate, ɵɵtemplateRefExtractor, ɵɵtext, ɵɵtextInterpolate, ɵɵtextInterpolate1, ɵɵtextInterpolate2, ɵɵtextInterpolate3, ɵɵtextInterpolate4, ɵɵtextInterpolate5, ɵɵtextInterpolate6, ɵɵtextInterpolate7, ɵɵtextInterpolate8, ɵɵtextInterpolateV, ɵɵtrustConstantHtml, ɵɵtrustConstantResourceUrl, ɵɵviewQuery };
32945
+ export { ANALYZE_FOR_ENTRY_COMPONENTS, APP_BOOTSTRAP_LISTENER, APP_ID, APP_INITIALIZER, ApplicationInitStatus, ApplicationModule, ApplicationRef, Attribute, COMPILER_OPTIONS, CUSTOM_ELEMENTS_SCHEMA, ChangeDetectionStrategy, ChangeDetectorRef, Compiler, CompilerFactory, Component, ComponentFactory, ComponentFactoryResolver, ComponentRef, ContentChild, ContentChildren, DEFAULT_CURRENCY_CODE, DebugElement, DebugEventListener, DebugNode, DefaultIterableDiffer, Directive, ElementRef, EmbeddedViewRef, ErrorHandler, EventEmitter, Host, HostBinding, HostListener, INJECTOR$1 as INJECTOR, Inject, InjectFlags, Injectable, InjectionToken, Injector, Input, IterableDiffers, KeyValueDiffers, LOCALE_ID$1 as LOCALE_ID, MissingTranslationStrategy, ModuleWithComponentFactories, NO_ERRORS_SCHEMA, NgModule, NgModuleFactory, NgModuleFactoryLoader, NgModuleRef, NgProbeToken, NgZone, Optional, Output, PACKAGE_ROOT_URL, PLATFORM_ID, PLATFORM_INITIALIZER, Pipe, PlatformRef, Query, QueryList, ReflectiveInjector, ReflectiveKey, Renderer2, RendererFactory2, RendererStyleFlags2, ResolvedReflectiveFactory, Sanitizer, SecurityContext, Self, SimpleChange, SkipSelf, SystemJsNgModuleLoader, SystemJsNgModuleLoaderConfig, TRANSLATIONS, TRANSLATIONS_FORMAT, TemplateRef, Testability, TestabilityRegistry, Type, VERSION, Version, ViewChild, ViewChildren, ViewContainerRef, ViewEncapsulation, ViewRef$1 as ViewRef, WrappedValue, asNativeElements, assertPlatform, createPlatform, createPlatformFactory, defineInjectable, destroyPlatform, enableProdMode, forwardRef, getDebugNode$1 as getDebugNode, getModuleFactory, getPlatform, inject, isDevMode, platformCore, resolveForwardRef, setTestabilityGetter, ɵ0$3 as ɵ0, ALLOW_MULTIPLE_PLATFORMS as ɵALLOW_MULTIPLE_PLATFORMS, APP_ID_RANDOM_PROVIDER as ɵAPP_ID_RANDOM_PROVIDER, CREATE_ATTRIBUTE_DECORATOR__POST_R3__ as ɵCREATE_ATTRIBUTE_DECORATOR__POST_R3__, ChangeDetectorStatus as ɵChangeDetectorStatus, CodegenComponentFactoryResolver as ɵCodegenComponentFactoryResolver, Compiler_compileModuleAndAllComponentsAsync__POST_R3__ as ɵCompiler_compileModuleAndAllComponentsAsync__POST_R3__, Compiler_compileModuleAndAllComponentsSync__POST_R3__ as ɵCompiler_compileModuleAndAllComponentsSync__POST_R3__, Compiler_compileModuleAsync__POST_R3__ as ɵCompiler_compileModuleAsync__POST_R3__, Compiler_compileModuleSync__POST_R3__ as ɵCompiler_compileModuleSync__POST_R3__, ComponentFactory as ɵComponentFactory, Console as ɵConsole, DEFAULT_LOCALE_ID as ɵDEFAULT_LOCALE_ID, EMPTY_ARRAY$4 as ɵEMPTY_ARRAY, EMPTY_MAP as ɵEMPTY_MAP, INJECTOR_IMPL__POST_R3__ as ɵINJECTOR_IMPL__POST_R3__, INJECTOR_SCOPE as ɵINJECTOR_SCOPE, LifecycleHooksFeature as ɵLifecycleHooksFeature, LocaleDataIndex as ɵLocaleDataIndex, NG_COMP_DEF as ɵNG_COMP_DEF, NG_DIR_DEF as ɵNG_DIR_DEF, NG_ELEMENT_ID as ɵNG_ELEMENT_ID, NG_INJ_DEF as ɵNG_INJ_DEF, NG_MOD_DEF as ɵNG_MOD_DEF, NG_PIPE_DEF as ɵNG_PIPE_DEF, NG_PROV_DEF as ɵNG_PROV_DEF, NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR as ɵNOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR, NO_CHANGE as ɵNO_CHANGE, NgModuleFactory$1 as ɵNgModuleFactory, NoopNgZone as ɵNoopNgZone, ReflectionCapabilities as ɵReflectionCapabilities, ComponentFactory$1 as ɵRender3ComponentFactory, ComponentRef$1 as ɵRender3ComponentRef, NgModuleRef$1 as ɵRender3NgModuleRef, SWITCH_CHANGE_DETECTOR_REF_FACTORY__POST_R3__ as ɵSWITCH_CHANGE_DETECTOR_REF_FACTORY__POST_R3__, SWITCH_COMPILE_COMPONENT__POST_R3__ as ɵSWITCH_COMPILE_COMPONENT__POST_R3__, SWITCH_COMPILE_DIRECTIVE__POST_R3__ as ɵSWITCH_COMPILE_DIRECTIVE__POST_R3__, SWITCH_COMPILE_INJECTABLE__POST_R3__ as ɵSWITCH_COMPILE_INJECTABLE__POST_R3__, SWITCH_COMPILE_NGMODULE__POST_R3__ as ɵSWITCH_COMPILE_NGMODULE__POST_R3__, SWITCH_COMPILE_PIPE__POST_R3__ as ɵSWITCH_COMPILE_PIPE__POST_R3__, SWITCH_ELEMENT_REF_FACTORY__POST_R3__ as ɵSWITCH_ELEMENT_REF_FACTORY__POST_R3__, SWITCH_IVY_ENABLED__POST_R3__ as ɵSWITCH_IVY_ENABLED__POST_R3__, SWITCH_RENDERER2_FACTORY__POST_R3__ as ɵSWITCH_RENDERER2_FACTORY__POST_R3__, SWITCH_TEMPLATE_REF_FACTORY__POST_R3__ as ɵSWITCH_TEMPLATE_REF_FACTORY__POST_R3__, SWITCH_VIEW_CONTAINER_REF_FACTORY__POST_R3__ as ɵSWITCH_VIEW_CONTAINER_REF_FACTORY__POST_R3__, _sanitizeHtml as ɵ_sanitizeHtml, _sanitizeUrl as ɵ_sanitizeUrl, allowSanitizationBypassAndThrow as ɵallowSanitizationBypassAndThrow, anchorDef as ɵand, isForwardRef as ɵangular_packages_core_core_a, injectInjectorOnly as ɵangular_packages_core_core_b, zoneSchedulerFactory as ɵangular_packages_core_core_ba, USD_CURRENCY_CODE as ɵangular_packages_core_core_bb, _def as ɵangular_packages_core_core_bc, DebugContext as ɵangular_packages_core_core_bd, NgOnChangesFeatureImpl as ɵangular_packages_core_core_be, SCHEDULER as ɵangular_packages_core_core_bf, injectAttributeImpl as ɵangular_packages_core_core_bg, getLView as ɵangular_packages_core_core_bh, getBindingRoot as ɵangular_packages_core_core_bi, nextContextImpl as ɵangular_packages_core_core_bj, pureFunction1Internal as ɵangular_packages_core_core_bl, pureFunction2Internal as ɵangular_packages_core_core_bm, pureFunction3Internal as ɵangular_packages_core_core_bn, pureFunction4Internal as ɵangular_packages_core_core_bo, pureFunctionVInternal as ɵangular_packages_core_core_bp, getUrlSanitizer as ɵangular_packages_core_core_bq, makePropDecorator as ɵangular_packages_core_core_br, makeParamDecorator as ɵangular_packages_core_core_bs, getClosureSafeProperty as ɵangular_packages_core_core_bv, NullInjector as ɵangular_packages_core_core_bw, getInjectImplementation as ɵangular_packages_core_core_bx, getNativeByTNode as ɵangular_packages_core_core_bz, attachInjectFlag as ɵangular_packages_core_core_c, getRootContext as ɵangular_packages_core_core_cb, i18nPostprocess as ɵangular_packages_core_core_cc, ReflectiveInjector_ as ɵangular_packages_core_core_d, ReflectiveDependency as ɵangular_packages_core_core_e, resolveReflectiveProviders as ɵangular_packages_core_core_f, _appIdRandomProviderFactory as ɵangular_packages_core_core_g, injectRenderer2 as ɵangular_packages_core_core_h, injectElementRef as ɵangular_packages_core_core_i, createElementRef as ɵangular_packages_core_core_j, getModuleFactory__PRE_R3__ as ɵangular_packages_core_core_k, injectTemplateRef as ɵangular_packages_core_core_l, createTemplateRef as ɵangular_packages_core_core_m, injectViewContainerRef as ɵangular_packages_core_core_n, DebugNode__PRE_R3__ as ɵangular_packages_core_core_o, DebugElement__PRE_R3__ as ɵangular_packages_core_core_p, getDebugNodeR2__PRE_R3__ as ɵangular_packages_core_core_q, injectChangeDetectorRef as ɵangular_packages_core_core_r, DefaultIterableDifferFactory as ɵangular_packages_core_core_s, DefaultKeyValueDifferFactory as ɵangular_packages_core_core_t, defaultIterableDiffersFactory as ɵangular_packages_core_core_u, defaultKeyValueDiffersFactory as ɵangular_packages_core_core_v, _iterableDiffersFactory as ɵangular_packages_core_core_w, _keyValueDiffersFactory as ɵangular_packages_core_core_x, _localeFactory as ɵangular_packages_core_core_y, APPLICATION_MODULE_PROVIDERS as ɵangular_packages_core_core_z, bypassSanitizationTrustHtml as ɵbypassSanitizationTrustHtml, bypassSanitizationTrustResourceUrl as ɵbypassSanitizationTrustResourceUrl, bypassSanitizationTrustScript as ɵbypassSanitizationTrustScript, bypassSanitizationTrustStyle as ɵbypassSanitizationTrustStyle, bypassSanitizationTrustUrl as ɵbypassSanitizationTrustUrl, createComponentFactory as ɵccf, clearOverrides as ɵclearOverrides, clearResolutionOfComponentResourcesQueue as ɵclearResolutionOfComponentResourcesQueue, createNgModuleFactory as ɵcmf, compileComponent as ɵcompileComponent, compileDirective as ɵcompileDirective, compileNgModule as ɵcompileNgModule, compileNgModuleDefs as ɵcompileNgModuleDefs, compileNgModuleFactory__POST_R3__ as ɵcompileNgModuleFactory__POST_R3__, compilePipe as ɵcompilePipe, createInjector as ɵcreateInjector, createRendererType2 as ɵcrt, defaultIterableDiffers as ɵdefaultIterableDiffers, defaultKeyValueDiffers as ɵdefaultKeyValueDiffers, detectChanges as ɵdetectChanges, devModeEqual as ɵdevModeEqual, directiveDef as ɵdid, elementDef as ɵeld, findLocaleData as ɵfindLocaleData, flushModuleScopingQueueAsMuchAsPossible as ɵflushModuleScopingQueueAsMuchAsPossible, getComponentViewDefinitionFactory as ɵgetComponentViewDefinitionFactory, getDebugNodeR2 as ɵgetDebugNodeR2, getDebugNode__POST_R3__ as ɵgetDebugNode__POST_R3__, getDirectives as ɵgetDirectives, getHostElement as ɵgetHostElement, getInjectableDef as ɵgetInjectableDef, getLContext as ɵgetLContext, getLocaleCurrencyCode as ɵgetLocaleCurrencyCode, getLocalePluralCase as ɵgetLocalePluralCase, getModuleFactory__POST_R3__ as ɵgetModuleFactory__POST_R3__, getSanitizationBypassType as ɵgetSanitizationBypassType, _global as ɵglobal, initServicesIfNeeded as ɵinitServicesIfNeeded, inlineInterpolate as ɵinlineInterpolate, interpolate as ɵinterpolate, isBoundToModule__POST_R3__ as ɵisBoundToModule__POST_R3__, isDefaultChangeDetectionStrategy as ɵisDefaultChangeDetectionStrategy, isListLikeIterable as ɵisListLikeIterable, isObservable as ɵisObservable, isPromise as ɵisPromise, isSubscribable as ɵisSubscribable, ivyEnabled as ɵivyEnabled, makeDecorator as ɵmakeDecorator, markDirty as ɵmarkDirty, moduleDef as ɵmod, moduleProvideDef as ɵmpd, ngContentDef as ɵncd, noSideEffects as ɵnoSideEffects, nodeValue as ɵnov, overrideComponentView as ɵoverrideComponentView, overrideProvider as ɵoverrideProvider, pureArrayDef as ɵpad, patchComponentDefWithScope as ɵpatchComponentDefWithScope, pipeDef as ɵpid, pureObjectDef as ɵpod, purePipeDef as ɵppd, providerDef as ɵprd, publishDefaultGlobalUtils as ɵpublishDefaultGlobalUtils, publishGlobalUtil as ɵpublishGlobalUtil, queryDef as ɵqud, registerLocaleData as ɵregisterLocaleData, registerModuleFactory as ɵregisterModuleFactory, registerNgModuleType as ɵregisterNgModuleType, renderComponent$1 as ɵrenderComponent, resetCompiledComponents as ɵresetCompiledComponents, resetJitOptions as ɵresetJitOptions, resolveComponentResources as ɵresolveComponentResources, setClassMetadata as ɵsetClassMetadata, setCurrentInjector as ɵsetCurrentInjector, setDocument as ɵsetDocument, setLocaleId as ɵsetLocaleId, store as ɵstore, stringify as ɵstringify, textDef as ɵted, transitiveScopesFor as ɵtransitiveScopesFor, unregisterAllLocaleData as ɵunregisterLocaleData, unwrapValue as ɵunv, unwrapSafeValue as ɵunwrapSafeValue, viewDef as ɵvid, whenRendered as ɵwhenRendered, ɵɵCopyDefinitionFeature, ɵɵInheritDefinitionFeature, ɵɵNgOnChangesFeature, ɵɵProvidersFeature, ɵɵadvance, ɵɵattribute, ɵɵattributeInterpolate1, ɵɵattributeInterpolate2, ɵɵattributeInterpolate3, ɵɵattributeInterpolate4, ɵɵattributeInterpolate5, ɵɵattributeInterpolate6, ɵɵattributeInterpolate7, ɵɵattributeInterpolate8, ɵɵattributeInterpolateV, ɵɵclassMap, ɵɵclassMapInterpolate1, ɵɵclassMapInterpolate2, ɵɵclassMapInterpolate3, ɵɵclassMapInterpolate4, ɵɵclassMapInterpolate5, ɵɵclassMapInterpolate6, ɵɵclassMapInterpolate7, ɵɵclassMapInterpolate8, ɵɵclassMapInterpolateV, ɵɵclassProp, ɵɵcontentQuery, ɵɵdefineComponent, ɵɵdefineDirective, ɵɵdefineInjectable, ɵɵdefineInjector, ɵɵdefineNgModule, ɵɵdefinePipe, ɵɵdirectiveInject, ɵɵdisableBindings, ɵɵelement, ɵɵelementContainer, ɵɵelementContainerEnd, ɵɵelementContainerStart, ɵɵelementEnd, ɵɵelementStart, ɵɵenableBindings, ɵɵgetCurrentView, ɵɵgetFactoryOf, ɵɵgetInheritedFactory, ɵɵhostProperty, ɵɵi18n, ɵɵi18nApply, ɵɵi18nAttributes, ɵɵi18nEnd, ɵɵi18nExp, ɵɵi18nPostprocess, ɵɵi18nStart, ɵɵinject, ɵɵinjectAttribute, ɵɵinjectPipeChangeDetectorRef, ɵɵinvalidFactory, ɵɵinvalidFactoryDep, ɵɵlistener, ɵɵloadQuery, ɵɵnamespaceHTML, ɵɵnamespaceMathML, ɵɵnamespaceSVG, ɵɵnextContext, ɵɵngDeclareComponent, ɵɵngDeclareDirective, ɵɵngDeclarePipe, ɵɵpipe, ɵɵpipeBind1, ɵɵpipeBind2, ɵɵpipeBind3, ɵɵpipeBind4, ɵɵpipeBindV, ɵɵprojection, ɵɵprojectionDef, ɵɵproperty, ɵɵpropertyInterpolate, ɵɵpropertyInterpolate1, ɵɵpropertyInterpolate2, ɵɵpropertyInterpolate3, ɵɵpropertyInterpolate4, ɵɵpropertyInterpolate5, ɵɵpropertyInterpolate6, ɵɵpropertyInterpolate7, ɵɵpropertyInterpolate8, ɵɵpropertyInterpolateV, ɵɵpureFunction0, ɵɵpureFunction1, ɵɵpureFunction2, ɵɵpureFunction3, ɵɵpureFunction4, ɵɵpureFunction5, ɵɵpureFunction6, ɵɵpureFunction7, ɵɵpureFunction8, ɵɵpureFunctionV, ɵɵqueryRefresh, ɵɵreference, ɵɵresolveBody, ɵɵresolveDocument, ɵɵresolveWindow, ɵɵrestoreView, ɵɵsanitizeHtml, ɵɵsanitizeResourceUrl, ɵɵsanitizeScript, ɵɵsanitizeStyle, ɵɵsanitizeUrl, ɵɵsanitizeUrlOrResourceUrl, ɵɵsetComponentScope, ɵɵsetNgModuleScope, ɵɵstyleMap, ɵɵstyleMapInterpolate1, ɵɵstyleMapInterpolate2, ɵɵstyleMapInterpolate3, ɵɵstyleMapInterpolate4, ɵɵstyleMapInterpolate5, ɵɵstyleMapInterpolate6, ɵɵstyleMapInterpolate7, ɵɵstyleMapInterpolate8, ɵɵstyleMapInterpolateV, ɵɵstyleProp, ɵɵstylePropInterpolate1, ɵɵstylePropInterpolate2, ɵɵstylePropInterpolate3, ɵɵstylePropInterpolate4, ɵɵstylePropInterpolate5, ɵɵstylePropInterpolate6, ɵɵstylePropInterpolate7, ɵɵstylePropInterpolate8, ɵɵstylePropInterpolateV, ɵɵsyntheticHostListener, ɵɵsyntheticHostProperty, ɵɵtemplate, ɵɵtemplateRefExtractor, ɵɵtext, ɵɵtextInterpolate, ɵɵtextInterpolate1, ɵɵtextInterpolate2, ɵɵtextInterpolate3, ɵɵtextInterpolate4, ɵɵtextInterpolate5, ɵɵtextInterpolate6, ɵɵtextInterpolate7, ɵɵtextInterpolate8, ɵɵtextInterpolateV, ɵɵtrustConstantHtml, ɵɵtrustConstantResourceUrl, ɵɵviewQuery };
32915
32946
  //# sourceMappingURL=core.js.map