@angular/core 18.0.3 → 18.0.4
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/esm2022/src/authoring/model/model_signal.mjs +2 -3
- package/esm2022/src/change_detection/scheduling/zoneless_scheduling_impl.mjs +2 -2
- package/esm2022/src/core_render3_private_export.mjs +2 -2
- package/esm2022/src/defer/instructions.mjs +2 -10
- package/esm2022/src/errors.mjs +1 -1
- package/esm2022/src/hydration/event_replay.mjs +32 -14
- package/esm2022/src/render3/chained_injector.mjs +34 -0
- package/esm2022/src/render3/component_ref.mjs +3 -28
- package/esm2022/src/render3/index.mjs +2 -2
- package/esm2022/src/render3/instructions/all.mjs +2 -1
- package/esm2022/src/render3/instructions/let_declaration.mjs +39 -0
- package/esm2022/src/render3/jit/environment.mjs +4 -1
- package/esm2022/src/render3/util/injector_discovery_utils.mjs +14 -5
- package/esm2022/src/render3/util/injector_utils.mjs +10 -1
- package/esm2022/src/version.mjs +1 -1
- package/esm2022/testing/src/logger.mjs +3 -3
- package/fesm2022/core.mjs +140 -71
- package/fesm2022/core.mjs.map +1 -1
- package/fesm2022/primitives/event-dispatch.mjs +1 -1
- package/fesm2022/primitives/signals.mjs +1 -1
- package/fesm2022/rxjs-interop.mjs +1 -1
- package/fesm2022/testing.mjs +1 -1
- package/index.d.ts +28 -5
- package/package.json +1 -1
- package/primitives/event-dispatch/index.d.ts +1 -1
- package/primitives/signals/index.d.ts +1 -1
- package/rxjs-interop/index.d.ts +1 -1
- package/schematics/migrations/http-providers/bundle.js +15 -15
- package/schematics/migrations/invalid-two-way-bindings/bundle.js +422 -218
- package/schematics/migrations/invalid-two-way-bindings/bundle.js.map +4 -4
- package/schematics/ng-generate/control-flow-migration/bundle.js +437 -226
- package/schematics/ng-generate/control-flow-migration/bundle.js.map +4 -4
- package/schematics/ng-generate/standalone-migration/bundle.js +711 -505
- package/schematics/ng-generate/standalone-migration/bundle.js.map +4 -4
- package/testing/index.d.ts +1 -1
package/fesm2022/core.mjs
CHANGED
|
@@ -1,5 +1,5 @@
|
|
|
1
1
|
/**
|
|
2
|
-
* @license Angular v18.0.
|
|
2
|
+
* @license Angular v18.0.4
|
|
3
3
|
* (c) 2010-2024 Google LLC. https://angular.io/
|
|
4
4
|
* License: MIT
|
|
5
5
|
*/
|
|
@@ -5403,6 +5403,50 @@ function assertPureTNodeType(type) {
|
|
|
5403
5403
|
}
|
|
5404
5404
|
}
|
|
5405
5405
|
|
|
5406
|
+
// This default value is when checking the hierarchy for a token.
|
|
5407
|
+
//
|
|
5408
|
+
// It means both:
|
|
5409
|
+
// - the token is not provided by the current injector,
|
|
5410
|
+
// - only the element injectors should be checked (ie do not check module injectors
|
|
5411
|
+
//
|
|
5412
|
+
// mod1
|
|
5413
|
+
// /
|
|
5414
|
+
// el1 mod2
|
|
5415
|
+
// \ /
|
|
5416
|
+
// el2
|
|
5417
|
+
//
|
|
5418
|
+
// When requesting el2.injector.get(token), we should check in the following order and return the
|
|
5419
|
+
// first found value:
|
|
5420
|
+
// - el2.injector.get(token, default)
|
|
5421
|
+
// - el1.injector.get(token, NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR) -> do not check the module
|
|
5422
|
+
// - mod2.injector.get(token, default)
|
|
5423
|
+
const NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR = {};
|
|
5424
|
+
|
|
5425
|
+
/**
|
|
5426
|
+
* Injector that looks up a value using a specific injector, before falling back to the module
|
|
5427
|
+
* injector. Used primarily when creating components or embedded views dynamically.
|
|
5428
|
+
*/
|
|
5429
|
+
class ChainedInjector {
|
|
5430
|
+
constructor(injector, parentInjector) {
|
|
5431
|
+
this.injector = injector;
|
|
5432
|
+
this.parentInjector = parentInjector;
|
|
5433
|
+
}
|
|
5434
|
+
get(token, notFoundValue, flags) {
|
|
5435
|
+
flags = convertToBitFlags(flags);
|
|
5436
|
+
const value = this.injector.get(token, NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR, flags);
|
|
5437
|
+
if (value !== NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR ||
|
|
5438
|
+
notFoundValue === NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR) {
|
|
5439
|
+
// Return the value from the root element injector when
|
|
5440
|
+
// - it provides it
|
|
5441
|
+
// (value !== NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR)
|
|
5442
|
+
// - the module injector should not be checked
|
|
5443
|
+
// (notFoundValue === NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR)
|
|
5444
|
+
return value;
|
|
5445
|
+
}
|
|
5446
|
+
return this.parentInjector.get(token, notFoundValue, flags);
|
|
5447
|
+
}
|
|
5448
|
+
}
|
|
5449
|
+
|
|
5406
5450
|
/// Parent Injector Utils ///////////////////////////////////////////////////////////////
|
|
5407
5451
|
function hasParentInjector(parentLocation) {
|
|
5408
5452
|
return parentLocation !== NO_PARENT_INJECTOR;
|
|
@@ -5441,6 +5485,14 @@ function getParentInjectorView(location, startView) {
|
|
|
5441
5485
|
}
|
|
5442
5486
|
return parentView;
|
|
5443
5487
|
}
|
|
5488
|
+
/**
|
|
5489
|
+
* Detects whether an injector is an instance of a `ChainedInjector`,
|
|
5490
|
+
* created based on the `OutletInjector`.
|
|
5491
|
+
*/
|
|
5492
|
+
function isRouterOutletInjector(currentInjector) {
|
|
5493
|
+
return (currentInjector instanceof ChainedInjector &&
|
|
5494
|
+
typeof currentInjector.injector.__ngOutletInjector === 'function');
|
|
5495
|
+
}
|
|
5444
5496
|
|
|
5445
5497
|
/**
|
|
5446
5498
|
* Defines if the call to `inject` should include `viewProviders` in its resolution.
|
|
@@ -15451,25 +15503,6 @@ class Sanitizer {
|
|
|
15451
15503
|
}); }
|
|
15452
15504
|
}
|
|
15453
15505
|
|
|
15454
|
-
// This default value is when checking the hierarchy for a token.
|
|
15455
|
-
//
|
|
15456
|
-
// It means both:
|
|
15457
|
-
// - the token is not provided by the current injector,
|
|
15458
|
-
// - only the element injectors should be checked (ie do not check module injectors
|
|
15459
|
-
//
|
|
15460
|
-
// mod1
|
|
15461
|
-
// /
|
|
15462
|
-
// el1 mod2
|
|
15463
|
-
// \ /
|
|
15464
|
-
// el2
|
|
15465
|
-
//
|
|
15466
|
-
// When requesting el2.injector.get(token), we should check in the following order and return the
|
|
15467
|
-
// first found value:
|
|
15468
|
-
// - el2.injector.get(token, default)
|
|
15469
|
-
// - el1.injector.get(token, NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR) -> do not check the module
|
|
15470
|
-
// - mod2.injector.get(token, default)
|
|
15471
|
-
const NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR = {};
|
|
15472
|
-
|
|
15473
15506
|
/**
|
|
15474
15507
|
* Asserts that the current stack frame is not within a reactive context. Useful
|
|
15475
15508
|
* to disallow certain code from running inside a reactive context (see {@link toSignal}).
|
|
@@ -16730,30 +16763,6 @@ function getNamespace(elementName) {
|
|
|
16730
16763
|
const name = elementName.toLowerCase();
|
|
16731
16764
|
return name === 'svg' ? SVG_NAMESPACE : name === 'math' ? MATH_ML_NAMESPACE : null;
|
|
16732
16765
|
}
|
|
16733
|
-
/**
|
|
16734
|
-
* Injector that looks up a value using a specific injector, before falling back to the module
|
|
16735
|
-
* injector. Used primarily when creating components or embedded views dynamically.
|
|
16736
|
-
*/
|
|
16737
|
-
class ChainedInjector {
|
|
16738
|
-
constructor(injector, parentInjector) {
|
|
16739
|
-
this.injector = injector;
|
|
16740
|
-
this.parentInjector = parentInjector;
|
|
16741
|
-
}
|
|
16742
|
-
get(token, notFoundValue, flags) {
|
|
16743
|
-
flags = convertToBitFlags(flags);
|
|
16744
|
-
const value = this.injector.get(token, NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR, flags);
|
|
16745
|
-
if (value !== NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR ||
|
|
16746
|
-
notFoundValue === NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR) {
|
|
16747
|
-
// Return the value from the root element injector when
|
|
16748
|
-
// - it provides it
|
|
16749
|
-
// (value !== NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR)
|
|
16750
|
-
// - the module injector should not be checked
|
|
16751
|
-
// (notFoundValue === NOT_FOUND_CHECK_ONLY_ELEMENT_INJECTOR)
|
|
16752
|
-
return value;
|
|
16753
|
-
}
|
|
16754
|
-
return this.parentInjector.get(token, notFoundValue, flags);
|
|
16755
|
-
}
|
|
16756
|
-
}
|
|
16757
16766
|
/**
|
|
16758
16767
|
* ComponentFactory interface implementation.
|
|
16759
16768
|
*/
|
|
@@ -17055,7 +17064,7 @@ function createRootComponent(componentView, rootComponentDef, rootDirectives, ho
|
|
|
17055
17064
|
function setRootNodeAttributes(hostRenderer, componentDef, hostRNode, rootSelectorOrNode) {
|
|
17056
17065
|
if (rootSelectorOrNode) {
|
|
17057
17066
|
// The placeholder will be replaced with the actual version at build time.
|
|
17058
|
-
setUpAttributes(hostRenderer, hostRNode, ['ng-version', '18.0.
|
|
17067
|
+
setUpAttributes(hostRenderer, hostRNode, ['ng-version', '18.0.4']);
|
|
17059
17068
|
}
|
|
17060
17069
|
else {
|
|
17061
17070
|
// If host element is created as a part of this function call (i.e. `rootSelectorOrNode`
|
|
@@ -18246,7 +18255,7 @@ function createModelSignal(initialValue) {
|
|
|
18246
18255
|
/** Asserts that a model's value is set. */
|
|
18247
18256
|
function assertModelSet(value) {
|
|
18248
18257
|
if (value === REQUIRED_UNSET_VALUE) {
|
|
18249
|
-
throw new RuntimeError(
|
|
18258
|
+
throw new RuntimeError(952 /* RuntimeErrorCode.REQUIRED_MODEL_NO_VALUE */, ngDevMode && 'Model is required but no value is available yet.');
|
|
18250
18259
|
}
|
|
18251
18260
|
}
|
|
18252
18261
|
|
|
@@ -20629,14 +20638,6 @@ function renderDeferBlockState(newState, tNode, lContainer, skipTimerScheduling
|
|
|
20629
20638
|
}
|
|
20630
20639
|
}
|
|
20631
20640
|
}
|
|
20632
|
-
/**
|
|
20633
|
-
* Detects whether an injector is an instance of a `ChainedInjector`,
|
|
20634
|
-
* created based on the `OutletInjector`.
|
|
20635
|
-
*/
|
|
20636
|
-
function isRouterOutletInjector(currentInjector) {
|
|
20637
|
-
return (currentInjector instanceof ChainedInjector &&
|
|
20638
|
-
typeof currentInjector.injector.__ngOutletInjector === 'function');
|
|
20639
|
-
}
|
|
20640
20641
|
/**
|
|
20641
20642
|
* Creates an instance of the `OutletInjector` using a private factory
|
|
20642
20643
|
* function available on the `OutletInjector` class.
|
|
@@ -28405,6 +28406,45 @@ function ɵɵtwoWayListener(eventName, listenerFn) {
|
|
|
28405
28406
|
return ɵɵtwoWayListener;
|
|
28406
28407
|
}
|
|
28407
28408
|
|
|
28409
|
+
/*!
|
|
28410
|
+
* @license
|
|
28411
|
+
* Copyright Google LLC All Rights Reserved.
|
|
28412
|
+
*
|
|
28413
|
+
* Use of this source code is governed by an MIT-style license that can be
|
|
28414
|
+
* found in the LICENSE file at https://angular.io/license
|
|
28415
|
+
*/
|
|
28416
|
+
/**
|
|
28417
|
+
* Declares an `@let` at a specific data slot.
|
|
28418
|
+
*
|
|
28419
|
+
* @param index Index at which to declare the `@let`.
|
|
28420
|
+
*
|
|
28421
|
+
* @codeGenApi
|
|
28422
|
+
*/
|
|
28423
|
+
function ɵɵdeclareLet(index) {
|
|
28424
|
+
// TODO(crisbeto): implement this
|
|
28425
|
+
return ɵɵdeclareLet;
|
|
28426
|
+
}
|
|
28427
|
+
/**
|
|
28428
|
+
* Instruction that stores the value of a `@let` declaration on the current view.
|
|
28429
|
+
*
|
|
28430
|
+
* @codeGenApi
|
|
28431
|
+
*/
|
|
28432
|
+
function ɵɵstoreLet(value) {
|
|
28433
|
+
// TODO(crisbeto): implement this
|
|
28434
|
+
return value;
|
|
28435
|
+
}
|
|
28436
|
+
/**
|
|
28437
|
+
* Retrieves the value of a `@let` declaration defined within the same view.
|
|
28438
|
+
*
|
|
28439
|
+
* @param index Index of the declaration within the view.
|
|
28440
|
+
*
|
|
28441
|
+
* @codeGenApi
|
|
28442
|
+
*/
|
|
28443
|
+
function ɵɵreadContextLet(index) {
|
|
28444
|
+
// TODO(crisbeto): implement this
|
|
28445
|
+
return null;
|
|
28446
|
+
}
|
|
28447
|
+
|
|
28408
28448
|
/*
|
|
28409
28449
|
* This file re-exports all symbols contained in this directory.
|
|
28410
28450
|
*
|
|
@@ -29674,6 +29714,9 @@ const angularCoreEnv = (() => ({
|
|
|
29674
29714
|
'ɵɵregisterNgModuleType': registerNgModuleType,
|
|
29675
29715
|
'ɵɵgetComponentDepsFactory': ɵɵgetComponentDepsFactory,
|
|
29676
29716
|
'ɵsetClassDebugInfo': ɵsetClassDebugInfo,
|
|
29717
|
+
'ɵɵdeclareLet': ɵɵdeclareLet,
|
|
29718
|
+
'ɵɵstoreLet': ɵɵstoreLet,
|
|
29719
|
+
'ɵɵreadContextLet': ɵɵreadContextLet,
|
|
29677
29720
|
'ɵɵsanitizeHtml': ɵɵsanitizeHtml,
|
|
29678
29721
|
'ɵɵsanitizeStyle': ɵɵsanitizeStyle,
|
|
29679
29722
|
'ɵɵsanitizeResourceUrl': ɵɵsanitizeResourceUrl,
|
|
@@ -30855,7 +30898,7 @@ class Version {
|
|
|
30855
30898
|
/**
|
|
30856
30899
|
* @publicApi
|
|
30857
30900
|
*/
|
|
30858
|
-
const VERSION = new Version('18.0.
|
|
30901
|
+
const VERSION = new Version('18.0.4');
|
|
30859
30902
|
|
|
30860
30903
|
/*
|
|
30861
30904
|
* This file exists to support compilation of @angular/core in Ivy mode.
|
|
@@ -31632,7 +31675,16 @@ function getInjectorResolutionPathHelper(injector, resolutionPath) {
|
|
|
31632
31675
|
*/
|
|
31633
31676
|
function getInjectorParent(injector) {
|
|
31634
31677
|
if (injector instanceof R3Injector) {
|
|
31635
|
-
|
|
31678
|
+
const parent = injector.parent;
|
|
31679
|
+
if (isRouterOutletInjector(parent)) {
|
|
31680
|
+
// This is a special case for a `ChainedInjector` instance, which represents
|
|
31681
|
+
// a combination of a Router's `OutletInjector` and an EnvironmentInjector,
|
|
31682
|
+
// which represents a `@defer` block. Since the `OutletInjector` doesn't store
|
|
31683
|
+
// any tokens itself, we point to the parent injector instead. See the
|
|
31684
|
+
// `OutletInjector.__ngOutletInjector` field for additional information.
|
|
31685
|
+
return parent.parentInjector;
|
|
31686
|
+
}
|
|
31687
|
+
return parent;
|
|
31636
31688
|
}
|
|
31637
31689
|
let tNode;
|
|
31638
31690
|
let lView;
|
|
@@ -31647,7 +31699,7 @@ function getInjectorParent(injector) {
|
|
|
31647
31699
|
return injector.parentInjector;
|
|
31648
31700
|
}
|
|
31649
31701
|
else {
|
|
31650
|
-
throwError('getInjectorParent only support injectors of type R3Injector, NodeInjector, NullInjector
|
|
31702
|
+
throwError('getInjectorParent only support injectors of type R3Injector, NodeInjector, NullInjector');
|
|
31651
31703
|
}
|
|
31652
31704
|
const parentLocation = getParentInjectorLocation(tNode, lView);
|
|
31653
31705
|
if (hasParentInjector(parentLocation)) {
|
|
@@ -33295,7 +33347,7 @@ class ChangeDetectionSchedulerImpl {
|
|
|
33295
33347
|
function provideExperimentalZonelessChangeDetection() {
|
|
33296
33348
|
performanceMarkFeature('NgZoneless');
|
|
33297
33349
|
if ((typeof ngDevMode === 'undefined' || ngDevMode) && typeof Zone !== 'undefined' && Zone) {
|
|
33298
|
-
const message = formatRuntimeError(914 /* RuntimeErrorCode.UNEXPECTED_ZONEJS_PRESENT_IN_ZONELESS_MODE */, `The application is using zoneless change detection, but is still loading Zone.js
|
|
33350
|
+
const message = formatRuntimeError(914 /* RuntimeErrorCode.UNEXPECTED_ZONEJS_PRESENT_IN_ZONELESS_MODE */, `The application is using zoneless change detection, but is still loading Zone.js. ` +
|
|
33299
33351
|
`Consider removing Zone.js to get the full benefits of zoneless. ` +
|
|
33300
33352
|
`In applications using the Angular CLI, Zone.js is typically included in the "polyfills" section of the angular.json file.`);
|
|
33301
33353
|
console.warn(message);
|
|
@@ -36674,6 +36726,13 @@ const jsactionSet = new Set();
|
|
|
36674
36726
|
function isGlobalEventDelegationEnabled(injector) {
|
|
36675
36727
|
return injector.get(IS_GLOBAL_EVENT_DELEGATION_ENABLED, false);
|
|
36676
36728
|
}
|
|
36729
|
+
/**
|
|
36730
|
+
* Determines whether Event Replay feature should be activated on the client.
|
|
36731
|
+
*/
|
|
36732
|
+
function shouldEnableEventReplay(injector) {
|
|
36733
|
+
return (injector.get(IS_EVENT_REPLAY_ENABLED, EVENT_REPLAY_ENABLED_DEFAULT) &&
|
|
36734
|
+
!isGlobalEventDelegationEnabled(injector));
|
|
36735
|
+
}
|
|
36677
36736
|
/**
|
|
36678
36737
|
* Returns a set of providers required to setup support for event replay.
|
|
36679
36738
|
* Requires hydration to be enabled separately.
|
|
@@ -36682,19 +36741,31 @@ function withEventReplay() {
|
|
|
36682
36741
|
return [
|
|
36683
36742
|
{
|
|
36684
36743
|
provide: IS_EVENT_REPLAY_ENABLED,
|
|
36685
|
-
|
|
36744
|
+
useFactory: () => {
|
|
36745
|
+
let isEnabled = true;
|
|
36746
|
+
if (isPlatformBrowser()) {
|
|
36747
|
+
// Note: globalThis[CONTRACT_PROPERTY] may be undefined in case Event Replay feature
|
|
36748
|
+
// is enabled, but there are no events configured in this application, in which case
|
|
36749
|
+
// we don't activate this feature, since there are no events to replay.
|
|
36750
|
+
const appId = inject(APP_ID);
|
|
36751
|
+
isEnabled = !!globalThis[CONTRACT_PROPERTY]?.[appId];
|
|
36752
|
+
}
|
|
36753
|
+
if (isEnabled) {
|
|
36754
|
+
performanceMarkFeature('NgEventReplay');
|
|
36755
|
+
}
|
|
36756
|
+
return isEnabled;
|
|
36757
|
+
},
|
|
36686
36758
|
},
|
|
36687
36759
|
{
|
|
36688
36760
|
provide: ENVIRONMENT_INITIALIZER,
|
|
36689
36761
|
useValue: () => {
|
|
36690
36762
|
const injector = inject(Injector);
|
|
36691
|
-
if (
|
|
36692
|
-
|
|
36763
|
+
if (isPlatformBrowser(injector) && shouldEnableEventReplay(injector)) {
|
|
36764
|
+
setStashFn((rEl, eventName, listenerFn) => {
|
|
36765
|
+
sharedStashFunction(rEl, eventName, listenerFn);
|
|
36766
|
+
jsactionSet.add(rEl);
|
|
36767
|
+
});
|
|
36693
36768
|
}
|
|
36694
|
-
setStashFn((rEl, eventName, listenerFn) => {
|
|
36695
|
-
sharedStashFunction(rEl, eventName, listenerFn);
|
|
36696
|
-
jsactionSet.add(rEl);
|
|
36697
|
-
});
|
|
36698
36769
|
},
|
|
36699
36770
|
multi: true,
|
|
36700
36771
|
},
|
|
@@ -36705,13 +36776,13 @@ function withEventReplay() {
|
|
|
36705
36776
|
const injector = inject(Injector);
|
|
36706
36777
|
const appRef = inject(ApplicationRef);
|
|
36707
36778
|
return () => {
|
|
36779
|
+
if (!shouldEnableEventReplay(injector)) {
|
|
36780
|
+
return;
|
|
36781
|
+
}
|
|
36708
36782
|
// Kick off event replay logic once hydration for the initial part
|
|
36709
36783
|
// of the application is completed. This timing is similar to the unclaimed
|
|
36710
36784
|
// dehydrated views cleanup timing.
|
|
36711
36785
|
whenStable(appRef).then(() => {
|
|
36712
|
-
if (isGlobalEventDelegationEnabled(injector)) {
|
|
36713
|
-
return;
|
|
36714
|
-
}
|
|
36715
36786
|
const globalEventDelegation = injector.get(GlobalEventDelegation);
|
|
36716
36787
|
initEventReplay(globalEventDelegation, injector);
|
|
36717
36788
|
jsactionSet.forEach(removeListeners);
|
|
@@ -36734,8 +36805,6 @@ function getJsactionData(container) {
|
|
|
36734
36805
|
const initEventReplay = (eventDelegation, injector) => {
|
|
36735
36806
|
const appId = injector.get(APP_ID);
|
|
36736
36807
|
// This is set in packages/platform-server/src/utils.ts
|
|
36737
|
-
// Note: globalThis[CONTRACT_PROPERTY] may be undefined in case Event Replay feature
|
|
36738
|
-
// is enabled, but there are no events configured in an application.
|
|
36739
36808
|
const container = globalThis[CONTRACT_PROPERTY]?.[appId];
|
|
36740
36809
|
const earlyJsactionData = getJsactionData(container);
|
|
36741
36810
|
const eventContract = (eventDelegation.eventContract = new EventContract(new EventContractContainer(earlyJsactionData.c)));
|
|
@@ -38123,5 +38192,5 @@ if (typeof ngDevMode !== 'undefined' && ngDevMode) {
|
|
|
38123
38192
|
* Generated bundle index. Do not edit.
|
|
38124
38193
|
*/
|
|
38125
38194
|
|
|
38126
|
-
export { ANIMATION_MODULE_TYPE, APP_BOOTSTRAP_LISTENER, APP_ID, APP_INITIALIZER, AfterRenderPhase, ApplicationInitStatus, ApplicationModule, ApplicationRef, Attribute, COMPILER_OPTIONS, CSP_NONCE, CUSTOM_ELEMENTS_SCHEMA, ChangeDetectionStrategy, ChangeDetectorRef, Compiler, CompilerFactory, Component, ComponentFactory$1 as ComponentFactory, ComponentFactoryResolver$1 as ComponentFactoryResolver, ComponentRef$1 as ComponentRef, ContentChild, ContentChildren, DEFAULT_CURRENCY_CODE, DebugElement, DebugEventListener, DebugNode, DefaultIterableDiffer, DestroyRef, Directive, ENVIRONMENT_INITIALIZER, ElementRef, EmbeddedViewRef, EnvironmentInjector, ErrorHandler, EventEmitter, ExperimentalPendingTasks, HOST_TAG_NAME, Host, HostAttributeToken, HostBinding, HostListener, INJECTOR$1 as INJECTOR, Inject, InjectFlags, Injectable, InjectionToken, Injector, Input, IterableDiffers, KeyValueDiffers, LOCALE_ID, MissingTranslationStrategy, ModuleWithComponentFactories, NO_ERRORS_SCHEMA, NgModule, NgModuleFactory$1 as NgModuleFactory, NgModuleRef$1 as NgModuleRef, NgProbeToken, NgZone, Optional, Output, OutputEmitterRef, PACKAGE_ROOT_URL, PLATFORM_ID, PLATFORM_INITIALIZER, Pipe, PlatformRef, Query, QueryList, Renderer2, RendererFactory2, RendererStyleFlags2, Sanitizer, SecurityContext, Self, SimpleChange, SkipSelf, TRANSLATIONS, TRANSLATIONS_FORMAT, TemplateRef, Testability, TestabilityRegistry, TransferState, Type, VERSION, Version, ViewChild, ViewChildren, ViewContainerRef, ViewEncapsulation$1 as ViewEncapsulation, ViewRef, afterNextRender, afterRender, asNativeElements, assertInInjectionContext, assertNotInReactiveContext, assertPlatform, booleanAttribute, computed, contentChild, contentChildren, createComponent, createEnvironmentInjector, createNgModule, createNgModuleRef, createPlatform, createPlatformFactory, defineInjectable, destroyPlatform, effect, enableProdMode, forwardRef, getDebugNode, getModuleFactory, getNgModuleById, getPlatform, importProvidersFrom, inject, input, isDevMode, isSignal, isStandalone, makeEnvironmentProviders, makeStateKey, mergeApplicationConfig, model, numberAttribute, output, platformCore, provideExperimentalCheckNoChangesForDebug, provideExperimentalZonelessChangeDetection, provideZoneChangeDetection, reflectComponentType, resolveForwardRef, runInInjectionContext, setTestabilityGetter, signal, untracked, viewChild, viewChildren, ALLOW_MULTIPLE_PLATFORMS as ɵALLOW_MULTIPLE_PLATFORMS, AfterRenderEventManager as ɵAfterRenderEventManager, CONTAINER_HEADER_OFFSET as ɵCONTAINER_HEADER_OFFSET, ChangeDetectionScheduler as ɵChangeDetectionScheduler, ChangeDetectionSchedulerImpl as ɵChangeDetectionSchedulerImpl, ComponentFactory$1 as ɵComponentFactory, Console as ɵConsole, DEFAULT_LOCALE_ID as ɵDEFAULT_LOCALE_ID, DEFER_BLOCK_CONFIG as ɵDEFER_BLOCK_CONFIG, DEFER_BLOCK_DEPENDENCY_INTERCEPTOR as ɵDEFER_BLOCK_DEPENDENCY_INTERCEPTOR, DeferBlockBehavior as ɵDeferBlockBehavior, DeferBlockState as ɵDeferBlockState, EffectScheduler as ɵEffectScheduler, IMAGE_CONFIG as ɵIMAGE_CONFIG, IMAGE_CONFIG_DEFAULTS as ɵIMAGE_CONFIG_DEFAULTS, INJECTOR_SCOPE as ɵINJECTOR_SCOPE, ɵINPUT_SIGNAL_BRAND_WRITE_TYPE, IS_HYDRATION_DOM_REUSE_ENABLED as ɵIS_HYDRATION_DOM_REUSE_ENABLED, LContext as ɵLContext, 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 as ɵNgModuleFactory, NoopNgZone as ɵNoopNgZone, PROVIDED_NG_ZONE as ɵPROVIDED_NG_ZONE, PendingTasks as ɵPendingTasks, ReflectionCapabilities as ɵReflectionCapabilities, ComponentFactory as ɵRender3ComponentFactory, ComponentRef as ɵRender3ComponentRef, NgModuleRef as ɵRender3NgModuleRef, RuntimeError as ɵRuntimeError, SSR_CONTENT_INTEGRITY_MARKER as ɵSSR_CONTENT_INTEGRITY_MARKER, TESTABILITY as ɵTESTABILITY, TESTABILITY_GETTER as ɵTESTABILITY_GETTER, USE_RUNTIME_DEPS_TRACKER_FOR_JIT as ɵUSE_RUNTIME_DEPS_TRACKER_FOR_JIT, ViewRef$1 as ɵViewRef, XSS_SECURITY_URL as ɵXSS_SECURITY_URL, ZONELESS_ENABLED as ɵZONELESS_ENABLED, _sanitizeHtml as ɵ_sanitizeHtml, _sanitizeUrl as ɵ_sanitizeUrl, allowSanitizationBypassAndThrow as ɵallowSanitizationBypassAndThrow, annotateForHydration as ɵannotateForHydration, bypassSanitizationTrustHtml as ɵbypassSanitizationTrustHtml, bypassSanitizationTrustResourceUrl as ɵbypassSanitizationTrustResourceUrl, bypassSanitizationTrustScript as ɵbypassSanitizationTrustScript, bypassSanitizationTrustStyle as ɵbypassSanitizationTrustStyle, bypassSanitizationTrustUrl as ɵbypassSanitizationTrustUrl, clearResolutionOfComponentResourcesQueue as ɵclearResolutionOfComponentResourcesQueue, compileComponent as ɵcompileComponent, compileDirective as ɵcompileDirective, compileNgModule as ɵcompileNgModule, compileNgModuleDefs as ɵcompileNgModuleDefs, compileNgModuleFactory as ɵcompileNgModuleFactory, compilePipe as ɵcompilePipe, convertToBitFlags as ɵconvertToBitFlags, createInjector as ɵcreateInjector, defaultIterableDiffers as ɵdefaultIterableDiffers, defaultKeyValueDiffers as ɵdefaultKeyValueDiffers, depsTracker as ɵdepsTracker, detectChangesInViewIfRequired as ɵdetectChangesInViewIfRequired, devModeEqual as ɵdevModeEqual, findLocaleData as ɵfindLocaleData, flushModuleScopingQueueAsMuchAsPossible as ɵflushModuleScopingQueueAsMuchAsPossible, formatRuntimeError as ɵformatRuntimeError, generateStandaloneInDeclarationsError as ɵgenerateStandaloneInDeclarationsError, getAsyncClassMetadataFn as ɵgetAsyncClassMetadataFn, getDebugNode as ɵgetDebugNode, getDeferBlocks as ɵgetDeferBlocks, getDirectives as ɵgetDirectives, getHostElement as ɵgetHostElement, getInjectableDef as ɵgetInjectableDef, getLContext as ɵgetLContext, getLocaleCurrencyCode as ɵgetLocaleCurrencyCode, getLocalePluralCase as ɵgetLocalePluralCase, getOutputDestroyRef as ɵgetOutputDestroyRef, getSanitizationBypassType as ɵgetSanitizationBypassType, ɵgetUnknownElementStrictMode, ɵgetUnknownPropertyStrictMode, _global as ɵglobal, injectChangeDetectorRef as ɵinjectChangeDetectorRef, internalAfterNextRender as ɵinternalAfterNextRender, internalCreateApplication as ɵinternalCreateApplication, internalProvideZoneChangeDetection as ɵinternalProvideZoneChangeDetection, isBoundToModule as ɵisBoundToModule, isComponentDefPendingResolution as ɵisComponentDefPendingResolution, isEnvironmentProviders as ɵisEnvironmentProviders, isInjectable as ɵisInjectable, isNgModule as ɵisNgModule, isPromise as ɵisPromise, isSubscribable as ɵisSubscribable, noSideEffects as ɵnoSideEffects, patchComponentDefWithScope as ɵpatchComponentDefWithScope, performanceMarkFeature as ɵperformanceMarkFeature, queueStateUpdate as ɵqueueStateUpdate, readHydrationInfo as ɵreadHydrationInfo, registerLocaleData as ɵregisterLocaleData, renderDeferBlockState as ɵrenderDeferBlockState, resetCompiledComponents as ɵresetCompiledComponents, resetJitOptions as ɵresetJitOptions, resolveComponentResources as ɵresolveComponentResources, restoreComponentResolutionQueue as ɵrestoreComponentResolutionQueue, setAllowDuplicateNgModuleIdsForTest as ɵsetAllowDuplicateNgModuleIdsForTest, setAlternateWeakRefImpl as ɵsetAlternateWeakRefImpl, ɵsetClassDebugInfo, setClassMetadata as ɵsetClassMetadata, setClassMetadataAsync as ɵsetClassMetadataAsync, setCurrentInjector as ɵsetCurrentInjector, setDocument as ɵsetDocument, setInjectorProfilerContext as ɵsetInjectorProfilerContext, setLocaleId as ɵsetLocaleId, ɵsetUnknownElementStrictMode, ɵsetUnknownPropertyStrictMode, store as ɵstore, stringify as ɵstringify, transitiveScopesFor as ɵtransitiveScopesFor, triggerResourceLoading as ɵtriggerResourceLoading, truncateMiddle as ɵtruncateMiddle, unregisterAllLocaleData as ɵunregisterLocaleData, unwrapSafeValue as ɵunwrapSafeValue, ɵunwrapWritableSignal, whenStable as ɵwhenStable, withDomHydration as ɵwithDomHydration, withEventReplay as ɵwithEventReplay, withI18nSupport as ɵwithI18nSupport, ɵɵCopyDefinitionFeature, FactoryTarget as ɵɵFactoryTarget, ɵɵHostDirectivesFeature, ɵɵInheritDefinitionFeature, ɵɵInputTransformsFeature, ɵɵNgOnChangesFeature, ɵɵProvidersFeature, ɵɵStandaloneFeature, ɵɵadvance, ɵɵattribute, ɵɵattributeInterpolate1, ɵɵattributeInterpolate2, ɵɵattributeInterpolate3, ɵɵattributeInterpolate4, ɵɵattributeInterpolate5, ɵɵattributeInterpolate6, ɵɵattributeInterpolate7, ɵɵattributeInterpolate8, ɵɵattributeInterpolateV, ɵɵclassMap, ɵɵclassMapInterpolate1, ɵɵclassMapInterpolate2, ɵɵclassMapInterpolate3, ɵɵclassMapInterpolate4, ɵɵclassMapInterpolate5, ɵɵclassMapInterpolate6, ɵɵclassMapInterpolate7, ɵɵclassMapInterpolate8, ɵɵclassMapInterpolateV, ɵɵclassProp, ɵɵcomponentInstance, ɵɵconditional, ɵɵcontentQuery, ɵɵcontentQuerySignal, ɵɵdefer, ɵɵdeferEnableTimerScheduling, ɵɵdeferOnHover, ɵɵdeferOnIdle, ɵɵdeferOnImmediate, ɵɵdeferOnInteraction, ɵɵdeferOnTimer, ɵɵdeferOnViewport, ɵɵdeferPrefetchOnHover, ɵɵdeferPrefetchOnIdle, ɵɵdeferPrefetchOnImmediate, ɵɵdeferPrefetchOnInteraction, ɵɵdeferPrefetchOnTimer, ɵɵdeferPrefetchOnViewport, ɵɵdeferPrefetchWhen, ɵɵdeferWhen, ɵɵdefineComponent, ɵɵdefineDirective, ɵɵdefineInjectable, ɵɵdefineInjector, ɵɵdefineNgModule, ɵɵdefinePipe, ɵɵdirectiveInject, ɵɵdisableBindings, ɵɵelement, ɵɵelementContainer, ɵɵelementContainerEnd, ɵɵelementContainerStart, ɵɵelementEnd, ɵɵelementStart, ɵɵenableBindings, ɵɵgetComponentDepsFactory, ɵɵgetCurrentView, ɵɵgetInheritedFactory, ɵɵhostProperty, ɵɵi18n, ɵɵi18nApply, ɵɵi18nAttributes, ɵɵi18nEnd, ɵɵi18nExp, ɵɵi18nPostprocess, ɵɵi18nStart, ɵɵinject, ɵɵinjectAttribute, ɵɵinvalidFactory, ɵɵinvalidFactoryDep, ɵɵlistener, ɵɵloadQuery, ɵɵnamespaceHTML, ɵɵnamespaceMathML, ɵɵnamespaceSVG, ɵɵnextContext, ɵɵngDeclareClassMetadata, ɵɵngDeclareClassMetadataAsync, ɵɵngDeclareComponent, ɵɵngDeclareDirective, ɵɵngDeclareFactory, ɵɵngDeclareInjectable, ɵɵngDeclareInjector, ɵɵngDeclareNgModule, ɵɵ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, ɵɵqueryAdvance, ɵɵqueryRefresh, ɵɵreference, registerNgModuleType as ɵɵregisterNgModuleType, ɵɵrepeater, ɵɵrepeaterCreate, ɵɵrepeaterTrackByIdentity, ɵɵrepeaterTrackByIndex, ɵɵresetView, ɵɵ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, ɵɵtwoWayBindingSet, ɵɵtwoWayListener, ɵɵtwoWayProperty, ɵɵvalidateIframeAttribute, ɵɵviewQuery, ɵɵviewQuerySignal };
|
|
38195
|
+
export { ANIMATION_MODULE_TYPE, APP_BOOTSTRAP_LISTENER, APP_ID, APP_INITIALIZER, AfterRenderPhase, ApplicationInitStatus, ApplicationModule, ApplicationRef, Attribute, COMPILER_OPTIONS, CSP_NONCE, CUSTOM_ELEMENTS_SCHEMA, ChangeDetectionStrategy, ChangeDetectorRef, Compiler, CompilerFactory, Component, ComponentFactory$1 as ComponentFactory, ComponentFactoryResolver$1 as ComponentFactoryResolver, ComponentRef$1 as ComponentRef, ContentChild, ContentChildren, DEFAULT_CURRENCY_CODE, DebugElement, DebugEventListener, DebugNode, DefaultIterableDiffer, DestroyRef, Directive, ENVIRONMENT_INITIALIZER, ElementRef, EmbeddedViewRef, EnvironmentInjector, ErrorHandler, EventEmitter, ExperimentalPendingTasks, HOST_TAG_NAME, Host, HostAttributeToken, HostBinding, HostListener, INJECTOR$1 as INJECTOR, Inject, InjectFlags, Injectable, InjectionToken, Injector, Input, IterableDiffers, KeyValueDiffers, LOCALE_ID, MissingTranslationStrategy, ModuleWithComponentFactories, NO_ERRORS_SCHEMA, NgModule, NgModuleFactory$1 as NgModuleFactory, NgModuleRef$1 as NgModuleRef, NgProbeToken, NgZone, Optional, Output, OutputEmitterRef, PACKAGE_ROOT_URL, PLATFORM_ID, PLATFORM_INITIALIZER, Pipe, PlatformRef, Query, QueryList, Renderer2, RendererFactory2, RendererStyleFlags2, Sanitizer, SecurityContext, Self, SimpleChange, SkipSelf, TRANSLATIONS, TRANSLATIONS_FORMAT, TemplateRef, Testability, TestabilityRegistry, TransferState, Type, VERSION, Version, ViewChild, ViewChildren, ViewContainerRef, ViewEncapsulation$1 as ViewEncapsulation, ViewRef, afterNextRender, afterRender, asNativeElements, assertInInjectionContext, assertNotInReactiveContext, assertPlatform, booleanAttribute, computed, contentChild, contentChildren, createComponent, createEnvironmentInjector, createNgModule, createNgModuleRef, createPlatform, createPlatformFactory, defineInjectable, destroyPlatform, effect, enableProdMode, forwardRef, getDebugNode, getModuleFactory, getNgModuleById, getPlatform, importProvidersFrom, inject, input, isDevMode, isSignal, isStandalone, makeEnvironmentProviders, makeStateKey, mergeApplicationConfig, model, numberAttribute, output, platformCore, provideExperimentalCheckNoChangesForDebug, provideExperimentalZonelessChangeDetection, provideZoneChangeDetection, reflectComponentType, resolveForwardRef, runInInjectionContext, setTestabilityGetter, signal, untracked, viewChild, viewChildren, ALLOW_MULTIPLE_PLATFORMS as ɵALLOW_MULTIPLE_PLATFORMS, AfterRenderEventManager as ɵAfterRenderEventManager, CONTAINER_HEADER_OFFSET as ɵCONTAINER_HEADER_OFFSET, ChangeDetectionScheduler as ɵChangeDetectionScheduler, ChangeDetectionSchedulerImpl as ɵChangeDetectionSchedulerImpl, ComponentFactory$1 as ɵComponentFactory, Console as ɵConsole, DEFAULT_LOCALE_ID as ɵDEFAULT_LOCALE_ID, DEFER_BLOCK_CONFIG as ɵDEFER_BLOCK_CONFIG, DEFER_BLOCK_DEPENDENCY_INTERCEPTOR as ɵDEFER_BLOCK_DEPENDENCY_INTERCEPTOR, DeferBlockBehavior as ɵDeferBlockBehavior, DeferBlockState as ɵDeferBlockState, EffectScheduler as ɵEffectScheduler, IMAGE_CONFIG as ɵIMAGE_CONFIG, IMAGE_CONFIG_DEFAULTS as ɵIMAGE_CONFIG_DEFAULTS, INJECTOR_SCOPE as ɵINJECTOR_SCOPE, ɵINPUT_SIGNAL_BRAND_WRITE_TYPE, IS_HYDRATION_DOM_REUSE_ENABLED as ɵIS_HYDRATION_DOM_REUSE_ENABLED, LContext as ɵLContext, 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 as ɵNgModuleFactory, NoopNgZone as ɵNoopNgZone, PROVIDED_NG_ZONE as ɵPROVIDED_NG_ZONE, PendingTasks as ɵPendingTasks, ReflectionCapabilities as ɵReflectionCapabilities, ComponentFactory as ɵRender3ComponentFactory, ComponentRef as ɵRender3ComponentRef, NgModuleRef as ɵRender3NgModuleRef, RuntimeError as ɵRuntimeError, SSR_CONTENT_INTEGRITY_MARKER as ɵSSR_CONTENT_INTEGRITY_MARKER, TESTABILITY as ɵTESTABILITY, TESTABILITY_GETTER as ɵTESTABILITY_GETTER, USE_RUNTIME_DEPS_TRACKER_FOR_JIT as ɵUSE_RUNTIME_DEPS_TRACKER_FOR_JIT, ViewRef$1 as ɵViewRef, XSS_SECURITY_URL as ɵXSS_SECURITY_URL, ZONELESS_ENABLED as ɵZONELESS_ENABLED, _sanitizeHtml as ɵ_sanitizeHtml, _sanitizeUrl as ɵ_sanitizeUrl, allowSanitizationBypassAndThrow as ɵallowSanitizationBypassAndThrow, annotateForHydration as ɵannotateForHydration, bypassSanitizationTrustHtml as ɵbypassSanitizationTrustHtml, bypassSanitizationTrustResourceUrl as ɵbypassSanitizationTrustResourceUrl, bypassSanitizationTrustScript as ɵbypassSanitizationTrustScript, bypassSanitizationTrustStyle as ɵbypassSanitizationTrustStyle, bypassSanitizationTrustUrl as ɵbypassSanitizationTrustUrl, clearResolutionOfComponentResourcesQueue as ɵclearResolutionOfComponentResourcesQueue, compileComponent as ɵcompileComponent, compileDirective as ɵcompileDirective, compileNgModule as ɵcompileNgModule, compileNgModuleDefs as ɵcompileNgModuleDefs, compileNgModuleFactory as ɵcompileNgModuleFactory, compilePipe as ɵcompilePipe, convertToBitFlags as ɵconvertToBitFlags, createInjector as ɵcreateInjector, defaultIterableDiffers as ɵdefaultIterableDiffers, defaultKeyValueDiffers as ɵdefaultKeyValueDiffers, depsTracker as ɵdepsTracker, detectChangesInViewIfRequired as ɵdetectChangesInViewIfRequired, devModeEqual as ɵdevModeEqual, findLocaleData as ɵfindLocaleData, flushModuleScopingQueueAsMuchAsPossible as ɵflushModuleScopingQueueAsMuchAsPossible, formatRuntimeError as ɵformatRuntimeError, generateStandaloneInDeclarationsError as ɵgenerateStandaloneInDeclarationsError, getAsyncClassMetadataFn as ɵgetAsyncClassMetadataFn, getDebugNode as ɵgetDebugNode, getDeferBlocks as ɵgetDeferBlocks, getDirectives as ɵgetDirectives, getHostElement as ɵgetHostElement, getInjectableDef as ɵgetInjectableDef, getLContext as ɵgetLContext, getLocaleCurrencyCode as ɵgetLocaleCurrencyCode, getLocalePluralCase as ɵgetLocalePluralCase, getOutputDestroyRef as ɵgetOutputDestroyRef, getSanitizationBypassType as ɵgetSanitizationBypassType, ɵgetUnknownElementStrictMode, ɵgetUnknownPropertyStrictMode, _global as ɵglobal, injectChangeDetectorRef as ɵinjectChangeDetectorRef, internalAfterNextRender as ɵinternalAfterNextRender, internalCreateApplication as ɵinternalCreateApplication, internalProvideZoneChangeDetection as ɵinternalProvideZoneChangeDetection, isBoundToModule as ɵisBoundToModule, isComponentDefPendingResolution as ɵisComponentDefPendingResolution, isEnvironmentProviders as ɵisEnvironmentProviders, isInjectable as ɵisInjectable, isNgModule as ɵisNgModule, isPromise as ɵisPromise, isSubscribable as ɵisSubscribable, noSideEffects as ɵnoSideEffects, patchComponentDefWithScope as ɵpatchComponentDefWithScope, performanceMarkFeature as ɵperformanceMarkFeature, queueStateUpdate as ɵqueueStateUpdate, readHydrationInfo as ɵreadHydrationInfo, registerLocaleData as ɵregisterLocaleData, renderDeferBlockState as ɵrenderDeferBlockState, resetCompiledComponents as ɵresetCompiledComponents, resetJitOptions as ɵresetJitOptions, resolveComponentResources as ɵresolveComponentResources, restoreComponentResolutionQueue as ɵrestoreComponentResolutionQueue, setAllowDuplicateNgModuleIdsForTest as ɵsetAllowDuplicateNgModuleIdsForTest, setAlternateWeakRefImpl as ɵsetAlternateWeakRefImpl, ɵsetClassDebugInfo, setClassMetadata as ɵsetClassMetadata, setClassMetadataAsync as ɵsetClassMetadataAsync, setCurrentInjector as ɵsetCurrentInjector, setDocument as ɵsetDocument, setInjectorProfilerContext as ɵsetInjectorProfilerContext, setLocaleId as ɵsetLocaleId, ɵsetUnknownElementStrictMode, ɵsetUnknownPropertyStrictMode, store as ɵstore, stringify as ɵstringify, transitiveScopesFor as ɵtransitiveScopesFor, triggerResourceLoading as ɵtriggerResourceLoading, truncateMiddle as ɵtruncateMiddle, unregisterAllLocaleData as ɵunregisterLocaleData, unwrapSafeValue as ɵunwrapSafeValue, ɵunwrapWritableSignal, whenStable as ɵwhenStable, withDomHydration as ɵwithDomHydration, withEventReplay as ɵwithEventReplay, withI18nSupport as ɵwithI18nSupport, ɵɵCopyDefinitionFeature, FactoryTarget as ɵɵFactoryTarget, ɵɵHostDirectivesFeature, ɵɵInheritDefinitionFeature, ɵɵInputTransformsFeature, ɵɵNgOnChangesFeature, ɵɵProvidersFeature, ɵɵStandaloneFeature, ɵɵadvance, ɵɵattribute, ɵɵattributeInterpolate1, ɵɵattributeInterpolate2, ɵɵattributeInterpolate3, ɵɵattributeInterpolate4, ɵɵattributeInterpolate5, ɵɵattributeInterpolate6, ɵɵattributeInterpolate7, ɵɵattributeInterpolate8, ɵɵattributeInterpolateV, ɵɵclassMap, ɵɵclassMapInterpolate1, ɵɵclassMapInterpolate2, ɵɵclassMapInterpolate3, ɵɵclassMapInterpolate4, ɵɵclassMapInterpolate5, ɵɵclassMapInterpolate6, ɵɵclassMapInterpolate7, ɵɵclassMapInterpolate8, ɵɵclassMapInterpolateV, ɵɵclassProp, ɵɵcomponentInstance, ɵɵconditional, ɵɵcontentQuery, ɵɵcontentQuerySignal, ɵɵdeclareLet, ɵɵdefer, ɵɵdeferEnableTimerScheduling, ɵɵdeferOnHover, ɵɵdeferOnIdle, ɵɵdeferOnImmediate, ɵɵdeferOnInteraction, ɵɵdeferOnTimer, ɵɵdeferOnViewport, ɵɵdeferPrefetchOnHover, ɵɵdeferPrefetchOnIdle, ɵɵdeferPrefetchOnImmediate, ɵɵdeferPrefetchOnInteraction, ɵɵdeferPrefetchOnTimer, ɵɵdeferPrefetchOnViewport, ɵɵdeferPrefetchWhen, ɵɵdeferWhen, ɵɵdefineComponent, ɵɵdefineDirective, ɵɵdefineInjectable, ɵɵdefineInjector, ɵɵdefineNgModule, ɵɵdefinePipe, ɵɵdirectiveInject, ɵɵdisableBindings, ɵɵelement, ɵɵelementContainer, ɵɵelementContainerEnd, ɵɵelementContainerStart, ɵɵelementEnd, ɵɵelementStart, ɵɵenableBindings, ɵɵgetComponentDepsFactory, ɵɵgetCurrentView, ɵɵgetInheritedFactory, ɵɵhostProperty, ɵɵi18n, ɵɵi18nApply, ɵɵi18nAttributes, ɵɵi18nEnd, ɵɵi18nExp, ɵɵi18nPostprocess, ɵɵi18nStart, ɵɵinject, ɵɵinjectAttribute, ɵɵinvalidFactory, ɵɵinvalidFactoryDep, ɵɵlistener, ɵɵloadQuery, ɵɵnamespaceHTML, ɵɵnamespaceMathML, ɵɵnamespaceSVG, ɵɵnextContext, ɵɵngDeclareClassMetadata, ɵɵngDeclareClassMetadataAsync, ɵɵngDeclareComponent, ɵɵngDeclareDirective, ɵɵngDeclareFactory, ɵɵngDeclareInjectable, ɵɵngDeclareInjector, ɵɵngDeclareNgModule, ɵɵ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, ɵɵqueryAdvance, ɵɵqueryRefresh, ɵɵreadContextLet, ɵɵreference, registerNgModuleType as ɵɵregisterNgModuleType, ɵɵrepeater, ɵɵrepeaterCreate, ɵɵrepeaterTrackByIdentity, ɵɵrepeaterTrackByIndex, ɵɵresetView, ɵɵresolveBody, ɵɵresolveDocument, ɵɵresolveWindow, ɵɵrestoreView, ɵɵsanitizeHtml, ɵɵsanitizeResourceUrl, ɵɵsanitizeScript, ɵɵsanitizeStyle, ɵɵsanitizeUrl, ɵɵsanitizeUrlOrResourceUrl, ɵɵsetComponentScope, ɵɵsetNgModuleScope, ɵɵstoreLet, ɵɵ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, ɵɵtwoWayBindingSet, ɵɵtwoWayListener, ɵɵtwoWayProperty, ɵɵvalidateIframeAttribute, ɵɵviewQuery, ɵɵviewQuerySignal };
|
|
38127
38196
|
//# sourceMappingURL=core.mjs.map
|