UNPKG

@ngxs/store

Version:
1,801 lines (1,786 loc) • 121 kB
import { NgZone, Injectable, Inject, PLATFORM_ID, InjectionToken, Optional, SkipSelf, ErrorHandler, Injector, isDevMode, NgModule, APP_BOOTSTRAP_LISTENER } from '@angular/core'; import { memoize, INITIAL_STATE_TOKEN, NgxsBootstrapper, isAngularInTestMode, NGXS_STATE_CONTEXT_FACTORY, NGXS_STATE_FACTORY, InitialState } from '@ngxs/store/internals'; import { isPlatformServer } from '@angular/common'; import { Observable, Subject, BehaviorSubject, of, forkJoin, throwError, EMPTY, from, ReplaySubject } from 'rxjs'; import { filter, map, shareReplay, take, exhaustMap, mergeMap, defaultIfEmpty, catchError, takeUntil, tap, distinctUntilChanged } from 'rxjs/operators'; /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** @enum {string} */ const VALIDATION_CODE = { STATE_NAME: 'STATE_NAME', STATE_UNIQUE: 'STATE_UNIQUE', STATE_NAME_PROPERTY: 'STATE_NAME_PROPERTY', STATE_DECORATOR: 'STATE_DECORATOR', INCORRECT_PRODUCTION: 'INCORRECT_PRODUCTION', INCORRECT_DEVELOPMENT: 'INCORRECT_DEVELOPMENT', SELECT_FACTORY_NOT_CONNECTED: 'SELECT_FACTORY_NOT_CONNECTED', ACTION_DECORATOR: 'ACTION_DECORATOR', SELECTOR_DECORATOR: 'SELECTOR_DECORATOR', ZONE_WARNING: 'ZONE_WARNING', PATCHING_ARRAY: 'PATCHING_ARRAY', PATCHING_PRIMITIVE: 'PATCHING_PRIMITIVE', UNDECORATED_STATE_IN_IVY: 'UNDECORATED_STATE_IN_IVY', }; /** @type {?} */ const CONFIG_MESSAGES = { [VALIDATION_CODE.STATE_NAME]: (/** * @param {?} name * @return {?} */ (name) => `${name} is not a valid state name. It needs to be a valid object property name.`), [VALIDATION_CODE.STATE_NAME_PROPERTY]: (/** * @return {?} */ () => `States must register a 'name' property`), [VALIDATION_CODE.STATE_UNIQUE]: (/** * @param {?} current * @param {?} newName * @param {?} oldName * @return {?} */ (current, newName, oldName) => `State name '${current}' from ${newName} already exists in ${oldName}`), [VALIDATION_CODE.STATE_DECORATOR]: (/** * @return {?} */ () => 'States must be decorated with @State() decorator'), [VALIDATION_CODE.INCORRECT_PRODUCTION]: (/** * @return {?} */ () => 'Angular is running in production mode but NGXS is still running in the development mode!\n' + 'Please set developmentMode to false on the NgxsModule options when in production mode.\n' + 'NgxsModule.forRoot(states, { developmentMode: !environment.production })'), [VALIDATION_CODE.INCORRECT_DEVELOPMENT]: (/** * @return {?} */ () => 'RECOMMENDATION: Set developmentMode to true on the NgxsModule when Angular is running in development mode.\n' + 'NgxsModule.forRoot(states, { developmentMode: !environment.production })'), [VALIDATION_CODE.SELECT_FACTORY_NOT_CONNECTED]: (/** * @return {?} */ () => 'You have forgotten to import the NGXS module!'), [VALIDATION_CODE.ACTION_DECORATOR]: (/** * @return {?} */ () => '@Action() decorator cannot be used with static methods'), [VALIDATION_CODE.SELECTOR_DECORATOR]: (/** * @return {?} */ () => 'Selectors only work on methods'), [VALIDATION_CODE.ZONE_WARNING]: (/** * @return {?} */ () => 'Your application was bootstrapped with nooped zone and your execution strategy requires an actual NgZone!\n' + 'Please set the value of the executionStrategy property to NoopNgxsExecutionStrategy.\n' + 'NgxsModule.forRoot(states, { executionStrategy: NoopNgxsExecutionStrategy })'), [VALIDATION_CODE.PATCHING_ARRAY]: (/** * @return {?} */ () => 'Patching arrays is not supported.'), [VALIDATION_CODE.PATCHING_PRIMITIVE]: (/** * @return {?} */ () => 'Patching primitives is not supported.'), [VALIDATION_CODE.UNDECORATED_STATE_IN_IVY]: (/** * @param {?} name * @return {?} */ (name) => `'${name}' class should be decorated with @Injectable() right after the @State() decorator`) }; /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ class DispatchOutsideZoneNgxsExecutionStrategy { /** * @param {?} _ngZone * @param {?} _platformId */ constructor(_ngZone, _platformId) { this._ngZone = _ngZone; this._platformId = _platformId; this.verifyZoneIsNotNooped(this._ngZone); } /** * @template T * @param {?} func * @return {?} */ enter(func) { if (isPlatformServer(this._platformId)) { return this.runInsideAngular(func); } return this.runOutsideAngular(func); } /** * @template T * @param {?} func * @return {?} */ leave(func) { return this.runInsideAngular(func); } /** * @private * @template T * @param {?} func * @return {?} */ runInsideAngular(func) { if (NgZone.isInAngularZone()) { return func(); } return this._ngZone.run(func); } /** * @private * @template T * @param {?} func * @return {?} */ runOutsideAngular(func) { if (NgZone.isInAngularZone()) { return this._ngZone.runOutsideAngular(func); } return func(); } /** * @private * @param {?} ngZone * @return {?} */ verifyZoneIsNotNooped(ngZone) { // `NoopNgZone` is not exposed publicly as it doesn't expect // to be used outside of the core Angular code, thus we just have // to check if the zone doesn't extend or instanceof `NgZone` if (ngZone instanceof NgZone) { return; } console.warn(CONFIG_MESSAGES[VALIDATION_CODE.ZONE_WARNING]()); } } DispatchOutsideZoneNgxsExecutionStrategy.decorators = [ { type: Injectable } ]; /** @nocollapse */ DispatchOutsideZoneNgxsExecutionStrategy.ctorParameters = () => [ { type: NgZone }, { type: String, decorators: [{ type: Inject, args: [PLATFORM_ID,] }] } ]; if (false) { /** * @type {?} * @private */ DispatchOutsideZoneNgxsExecutionStrategy.prototype._ngZone; /** * @type {?} * @private */ DispatchOutsideZoneNgxsExecutionStrategy.prototype._platformId; } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** @type {?} */ const ROOT_STATE_TOKEN = new InjectionToken('ROOT_STATE_TOKEN'); /** @type {?} */ const FEATURE_STATE_TOKEN = new InjectionToken('FEATURE_STATE_TOKEN'); /** @type {?} */ const NGXS_PLUGINS = new InjectionToken('NGXS_PLUGINS'); /** @type {?} */ const NG_TEST_MODE = new InjectionToken('NG_TEST_MODE'); /** @type {?} */ const NG_DEV_MODE = new InjectionToken('NG_DEV_MODE'); /** @type {?} */ const META_KEY = 'NGXS_META'; /** @type {?} */ const META_OPTIONS_KEY = 'NGXS_OPTIONS_META'; /** @type {?} */ const SELECTOR_META_KEY = 'NGXS_SELECTOR_META'; /** * The NGXS config settings. */ class NgxsConfig { constructor() { /** * Defining the default state before module initialization * This is convenient if we need to create a define our own set of states. * @deprecated will be removed after v4 * (default: {}) */ this.defaultsState = {}; /** * Defining shared selector options */ this.selectorOptions = { injectContainerState: true, // TODO: default is true in v3, will change in v4 suppressErrors: true // TODO: default is true in v3, will change in v4 }; this.compatibility = { strictContentSecurityPolicy: false }; this.executionStrategy = DispatchOutsideZoneNgxsExecutionStrategy; } } NgxsConfig.decorators = [ { type: Injectable } ]; /** @nocollapse */ NgxsConfig.ctorParameters = () => []; if (false) { /** * Run in development mode. This will add additional debugging features: * - Object.freeze on the state and actions to guarantee immutability * (default: false) * @type {?} */ NgxsConfig.prototype.developmentMode; /** @type {?} */ NgxsConfig.prototype.compatibility; /** * Determines the execution context to perform async operations inside. An implementation can be * provided to override the default behaviour where the async operations are run * outside Angular's zone but all observable behaviours of NGXS are run back inside Angular's zone. * These observable behaviours are from: * `\@Select(...)`, `store.select(...)`, `actions.subscribe(...)` or `store.dispatch(...).subscribe(...)` * Every `zone.run` causes Angular to run change detection on the whole tree (`app.tick()`) so of your * application doesn't rely on zone.js running change detection then you can switch to the * `NoopNgxsExecutionStrategy` that doesn't interact with zones. * (default: null) * @type {?} */ NgxsConfig.prototype.executionStrategy; /** * Defining the default state before module initialization * This is convenient if we need to create a define our own set of states. * @deprecated will be removed after v4 * (default: {}) * @type {?} */ NgxsConfig.prototype.defaultsState; /** * Defining shared selector options * @type {?} */ NgxsConfig.prototype.selectorOptions; } /** * State context provided to the actions in the state. * @record * @template T */ function StateContext() { } if (false) { /** * Get the current state. * @return {?} */ StateContext.prototype.getState = function () { }; /** * Reset the state to a new value. * @param {?} val * @return {?} */ StateContext.prototype.setState = function (val) { }; /** * Patch the existing state with the provided value. * @param {?} val * @return {?} */ StateContext.prototype.patchState = function (val) { }; /** * Dispatch a new action and return the dispatched observable. * @param {?} actions * @return {?} */ StateContext.prototype.dispatch = function (actions) { }; } /** * Plugin interface * @record */ function NgxsPlugin() { } if (false) { /** * Handle the state/action before its submitted to the state handlers. * @param {?} state * @param {?} action * @param {?} next * @return {?} */ NgxsPlugin.prototype.handle = function (state, action, next) { }; } /** * Options that can be provided to the store. * @record * @template T */ function StoreOptions() { } if (false) { /** * Name of the state. Required. * @type {?} */ StoreOptions.prototype.name; /** * Default values for the state. If not provided, uses empty object. * @type {?|undefined} */ StoreOptions.prototype.defaults; /** * Sub states for the given state. * @type {?|undefined} */ StoreOptions.prototype.children; } /** * Represents a basic change from a previous to a new value for a single state instance. * Passed as a value in a NgxsSimpleChanges object to the ngxsOnChanges hook. * @template T */ class NgxsSimpleChange { /** * @param {?} previousValue * @param {?} currentValue * @param {?} firstChange */ constructor(previousValue, currentValue, firstChange) { this.previousValue = previousValue; this.currentValue = currentValue; this.firstChange = firstChange; } } if (false) { /** @type {?} */ NgxsSimpleChange.prototype.previousValue; /** @type {?} */ NgxsSimpleChange.prototype.currentValue; /** @type {?} */ NgxsSimpleChange.prototype.firstChange; } /** * On init interface * @record */ function NgxsOnInit() { } if (false) { /** * @param {?=} ctx * @return {?} */ NgxsOnInit.prototype.ngxsOnInit = function (ctx) { }; } /** * On change interface * @record */ function NgxsOnChanges() { } if (false) { /** * @param {?} change * @return {?} */ NgxsOnChanges.prototype.ngxsOnChanges = function (change) { }; } /** * After bootstrap interface * @record */ function NgxsAfterBootstrap() { } if (false) { /** * @param {?=} ctx * @return {?} */ NgxsAfterBootstrap.prototype.ngxsAfterBootstrap = function (ctx) { }; } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /* * Internal execution strategy injection token */ /** @type {?} */ const NGXS_EXECUTION_STRATEGY = new InjectionToken('NGXS_EXECUTION_STRATEGY'); /** * @record */ function NgxsExecutionStrategy() { } if (false) { /** * @template T * @param {?} func * @return {?} */ NgxsExecutionStrategy.prototype.enter = function (func) { }; /** * @template T * @param {?} func * @return {?} */ NgxsExecutionStrategy.prototype.leave = function (func) { }; } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * Returns the type from an action instance/class. * @ignore * @param {?} action * @return {?} */ function getActionTypeFromInstance(action) { if (action.constructor && action.constructor.type) { return action.constructor.type; } else { return action.type; } } /** * Matches a action * @ignore * @param {?} action1 * @return {?} */ function actionMatcher(action1) { /** @type {?} */ const type1 = getActionTypeFromInstance(action1); return (/** * @param {?} action2 * @return {?} */ function (action2) { return type1 === getActionTypeFromInstance(action2); }); } /** * Set a deeply nested value. Example: * * setValue({ foo: { bar: { eat: false } } }, * 'foo.bar.eat', true) //=> { foo: { bar: { eat: true } } } * * While it traverses it also creates new objects from top down. * * @ignore * @type {?} */ const setValue = (/** * @param {?} obj * @param {?} prop * @param {?} val * @return {?} */ (obj, prop, val) => { obj = Object.assign({}, obj); /** @type {?} */ const split = prop.split('.'); /** @type {?} */ const lastIndex = split.length - 1; split.reduce((/** * @param {?} acc * @param {?} part * @param {?} index * @return {?} */ (acc, part, index) => { if (index === lastIndex) { acc[part] = val; } else { acc[part] = Array.isArray(acc[part]) ? acc[part].slice() : Object.assign({}, acc[part]); } return acc && acc[part]; }), obj); return obj; }); /** * Get a deeply nested value. Example: * * getValue({ foo: bar: [] }, 'foo.bar') //=> [] * * @ignore * @type {?} */ const getValue = (/** * @param {?} obj * @param {?} prop * @return {?} */ (obj, prop) => prop.split('.').reduce((/** * @param {?} acc * @param {?} part * @return {?} */ (acc, part) => acc && acc[part]), obj)); /** * Simple object check. * * isObject({a:1}) //=> true * isObject(1) //=> false * * @ignore * @type {?} */ const isObject = (/** * @param {?} item * @return {?} */ (item) => { return item && typeof item === 'object' && !Array.isArray(item); }); /** * Deep merge two objects. * * mergeDeep({a:1, b:{x: 1, y:2}}, {b:{x: 3}, c:4}) //=> {a:1, b:{x:3, y:2}, c:4} * * \@param base base object onto which `sources` will be applied * @type {?} */ const mergeDeep = (/** * @param {?} base * @param {...?} sources * @return {?} */ (base, ...sources) => { if (!sources.length) return base; /** @type {?} */ const source = sources.shift(); if (isObject(base) && isObject(source)) { for (const key in source) { if (isObject(source[key])) { if (!base[key]) Object.assign(base, { [key]: {} }); mergeDeep(base[key], source[key]); } else { Object.assign(base, { [key]: source[key] }); } } } return mergeDeep(base, ...sources); }); /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * @record * @template T, U */ function StateClassInternal() { } if (false) { /* Skipping unnamed member: [META_KEY]?: MetaDataModel;*/ /* Skipping unnamed member: [META_OPTIONS_KEY]?: StoreOptions<U>;*/ } /** * @record * @template T */ function StateOperations() { } if (false) { /** * @return {?} */ StateOperations.prototype.getState = function () { }; /** * @param {?} val * @return {?} */ StateOperations.prototype.setState = function (val) { }; /** * @param {?} actionOrActions * @return {?} */ StateOperations.prototype.dispatch = function (actionOrActions) { }; } /** * @record */ function MetaDataModel() { } if (false) { /** @type {?} */ MetaDataModel.prototype.name; /** @type {?} */ MetaDataModel.prototype.actions; /** @type {?} */ MetaDataModel.prototype.defaults; /** @type {?} */ MetaDataModel.prototype.path; /** @type {?} */ MetaDataModel.prototype.makeRootSelector; /** @type {?|undefined} */ MetaDataModel.prototype.children; } /** * @record */ function RuntimeSelectorContext() { } if (false) { /** * @param {?} key * @return {?} */ RuntimeSelectorContext.prototype.getStateGetter = function (key) { }; /** * @param {?=} localOptions * @return {?} */ RuntimeSelectorContext.prototype.getSelectorOptions = function (localOptions) { }; } /** * @record */ function SharedSelectorOptions() { } if (false) { /** @type {?|undefined} */ SharedSelectorOptions.prototype.injectContainerState; /** @type {?|undefined} */ SharedSelectorOptions.prototype.suppressErrors; } /** * @record */ function SelectorMetaDataModel() { } if (false) { /** @type {?} */ SelectorMetaDataModel.prototype.makeRootSelector; /** @type {?} */ SelectorMetaDataModel.prototype.originalFn; /** @type {?} */ SelectorMetaDataModel.prototype.containerClass; /** @type {?} */ SelectorMetaDataModel.prototype.selectorName; /** @type {?} */ SelectorMetaDataModel.prototype.getSelectorOptions; } /** * @record */ function MappedStore() { } if (false) { /** @type {?} */ MappedStore.prototype.name; /** @type {?} */ MappedStore.prototype.isInitialised; /** @type {?} */ MappedStore.prototype.actions; /** @type {?} */ MappedStore.prototype.defaults; /** @type {?} */ MappedStore.prototype.instance; /** @type {?} */ MappedStore.prototype.path; } /** * @record */ function StatesAndDefaults() { } if (false) { /** @type {?} */ StatesAndDefaults.prototype.defaults; /** @type {?} */ StatesAndDefaults.prototype.states; } /** * @record * @template T */ function RootStateDiff() { } if (false) { /** @type {?} */ RootStateDiff.prototype.currentAppState; /** @type {?} */ RootStateDiff.prototype.newAppState; } /** * Ensures metadata is attached to the class and returns it. * * @ignore * @param {?} target * @return {?} */ function ensureStoreMetadata(target) { if (!target.hasOwnProperty(META_KEY)) { /** @type {?} */ const defaultMetadata = { name: null, actions: {}, defaults: {}, path: null, /** * @param {?} context * @return {?} */ makeRootSelector(context) { return context.getStateGetter(defaultMetadata.name); }, children: [] }; Object.defineProperty(target, META_KEY, { value: defaultMetadata }); } return getStoreMetadata(target); } /** * Get the metadata attached to the state class if it exists. * * @ignore * @param {?} target * @return {?} */ function getStoreMetadata(target) { return (/** @type {?} */ (target[META_KEY])); } /** * Ensures metadata is attached to the selector and returns it. * * @ignore * @param {?} target * @return {?} */ function ensureSelectorMetadata(target) { if (!target.hasOwnProperty(SELECTOR_META_KEY)) { /** @type {?} */ const defaultMetadata = { makeRootSelector: null, originalFn: null, containerClass: null, selectorName: null, getSelectorOptions: (/** * @return {?} */ () => ({})) }; Object.defineProperty(target, SELECTOR_META_KEY, { value: defaultMetadata }); } return getSelectorMetadata(target); } /** * Get the metadata attached to the selector if it exists. * * @ignore * @param {?} target * @return {?} */ function getSelectorMetadata(target) { return target[SELECTOR_META_KEY]; } /** * Get a deeply nested value. Example: * * getValue({ foo: bar: [] }, 'foo.bar') //=> [] * * Note: This is not as fast as the `fastPropGetter` but is strict Content Security Policy compliant. * See perf hit: https://jsperf.com/fast-value-getter-given-path/1 * * @ignore * @param {?} paths * @return {?} */ function compliantPropGetter(paths) { /** @type {?} */ const copyOfPaths = paths.slice(); return (/** * @param {?} obj * @return {?} */ obj => copyOfPaths.reduce((/** * @param {?} acc * @param {?} part * @return {?} */ (acc, part) => acc && acc[part]), obj)); } /** * The generated function is faster than: * - pluck (Observable operator) * - memoize * * @ignore * @param {?} paths * @return {?} */ function fastPropGetter(paths) { /** @type {?} */ const segments = paths; /** @type {?} */ let seg = 'store.' + segments[0]; /** @type {?} */ let i = 0; /** @type {?} */ const l = segments.length; /** @type {?} */ let expr = seg; while (++i < l) { expr = expr + ' && ' + (seg = seg + '.' + segments[i]); } /** @type {?} */ const fn = new Function('store', 'return ' + expr + ';'); return (/** @type {?} */ (fn)); } /** * Get a deeply nested value. Example: * * getValue({ foo: bar: [] }, 'foo.bar') //=> [] * * @ignore * @param {?} paths * @param {?} config * @return {?} */ function propGetter(paths, config) { if (config && config.compatibility && config.compatibility.strictContentSecurityPolicy) { return compliantPropGetter(paths); } else { return fastPropGetter(paths); } } /** * Given an array of states, it will return a object graph. Example: * const states = [ * Cart, * CartSaved, * CartSavedItems * ] * * would return: * * const graph = { * cart: ['saved'], * saved: ['items'], * items: [] * }; * * @ignore * @param {?} stateClasses * @return {?} */ function buildGraph(stateClasses) { /** @type {?} */ const findName = (/** * @param {?} stateClass * @return {?} */ (stateClass) => { /** @type {?} */ const meta = stateClasses.find((/** * @param {?} g * @return {?} */ g => g === stateClass)); if (!meta) { throw new Error(`Child state not found: ${stateClass}. \r\nYou may have forgotten to add states to module`); } return (/** @type {?} */ ((/** @type {?} */ (meta[META_KEY])).name)); }); return stateClasses.reduce((/** * @param {?} result * @param {?} stateClass * @return {?} */ (result, stateClass) => { const { name, children } = (/** @type {?} */ (stateClass[META_KEY])); result[(/** @type {?} */ (name))] = (children || []).map(findName); return result; }), {}); } /** * Given a states array, returns object graph * returning the name and state metadata. Example: * * const graph = { * cart: { metadata } * }; * * @ignore * @param {?} states * @return {?} */ function nameToState(states) { return states.reduce((/** * @param {?} result * @param {?} stateClass * @return {?} */ (result, stateClass) => { /** @type {?} */ const meta = (/** @type {?} */ (stateClass[META_KEY])); result[(/** @type {?} */ (meta.name))] = stateClass; return result; }), {}); } /** * Given a object relationship graph will return the full path * for the child items. Example: * * const graph = { * cart: ['saved'], * saved: ['items'], * items: [] * }; * * would return: * * const r = { * cart: 'cart', * saved: 'cart.saved', * items: 'cart.saved.items' * }; * * @ignore * @param {?} obj * @param {?=} newObj * @return {?} */ function findFullParentPath(obj, newObj = {}) { /** @type {?} */ const visit = (/** * @param {?} child * @param {?} keyToFind * @return {?} */ (child, keyToFind) => { for (const key in child) { if (child.hasOwnProperty(key) && child[key].indexOf(keyToFind) >= 0) { /** @type {?} */ const parent = visit(child, key); return parent !== null ? `${parent}.${key}` : key; } } return null; }); for (const key in obj) { if (obj.hasOwnProperty(key)) { /** @type {?} */ const parent = visit(obj, key); newObj[key] = parent ? `${parent}.${key}` : key; } } return newObj; } /** * Given a object graph, it will return the items topologically sorted Example: * * const graph = { * cart: ['saved'], * saved: ['items'], * items: [] * }; * * would return: * * const results = [ * 'items', * 'saved', * 'cart' * ]; * * @ignore * @param {?} graph * @return {?} */ function topologicalSort(graph) { /** @type {?} */ const sorted = []; /** @type {?} */ const visited = {}; /** @type {?} */ const visit = (/** * @param {?} name * @param {?=} ancestors * @return {?} */ (name, ancestors = []) => { if (!Array.isArray(ancestors)) { ancestors = []; } ancestors.push(name); visited[name] = true; graph[name].forEach((/** * @param {?} dep * @return {?} */ (dep) => { if (ancestors.indexOf(dep) >= 0) { throw new Error(`Circular dependency '${dep}' is required by '${name}': ${ancestors.join(' -> ')}`); } if (visited[dep]) { return; } visit(dep, ancestors.slice(0)); })); if (sorted.indexOf(name) < 0) { sorted.push(name); } }); Object.keys(graph).forEach((/** * @param {?} k * @return {?} */ k => visit(k))); return sorted.reverse(); } /** * Returns if the parameter is a object or not. * * @ignore * @param {?} obj * @return {?} */ function isObject$1(obj) { return (typeof obj === 'object' && obj !== null) || typeof obj === 'function'; } /** * @template T * @param {?} mappedStore * @param {?} diff * @return {?} */ function getStateDiffChanges(mappedStore, diff) { /** @type {?} */ const previousValue = getValue(diff.currentAppState, mappedStore.path); /** @type {?} */ const currentValue = getValue(diff.newAppState, mappedStore.path); return new NgxsSimpleChange(previousValue, currentValue, !mappedStore.isInitialised); } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * @record * @template T, E */ function ActionCompletion() { } if (false) { /** @type {?} */ ActionCompletion.prototype.action; /** @type {?} */ ActionCompletion.prototype.result; } /** * RxJS operator for selecting out specific actions. * * This will grab actions that have just been dispatched as well as actions that have completed * @param {...?} allowedTypes * @return {?} */ function ofAction(...allowedTypes) { return ofActionOperator(allowedTypes); } /** * RxJS operator for selecting out specific actions. * * This will ONLY grab actions that have just been dispatched * @param {...?} allowedTypes * @return {?} */ function ofActionDispatched(...allowedTypes) { return ofActionOperator(allowedTypes, ["DISPATCHED" /* Dispatched */]); } /** * RxJS operator for selecting out specific actions. * * This will ONLY grab actions that have just been successfully completed * @param {...?} allowedTypes * @return {?} */ function ofActionSuccessful(...allowedTypes) { return ofActionOperator(allowedTypes, ["SUCCESSFUL" /* Successful */]); } /** * RxJS operator for selecting out specific actions. * * This will ONLY grab actions that have just been canceled * @param {...?} allowedTypes * @return {?} */ function ofActionCanceled(...allowedTypes) { return ofActionOperator(allowedTypes, ["CANCELED" /* Canceled */]); } /** * RxJS operator for selecting out specific actions. * * This will ONLY grab actions that have just been completed * @param {...?} allowedTypes * @return {?} */ function ofActionCompleted(...allowedTypes) { /** @type {?} */ const allowedStatuses = [ "SUCCESSFUL" /* Successful */, "CANCELED" /* Canceled */, "ERRORED" /* Errored */ ]; return ofActionOperator(allowedTypes, allowedStatuses, mapActionResult); } /** * RxJS operator for selecting out specific actions. * * This will ONLY grab actions that have just thrown an error * @param {...?} allowedTypes * @return {?} */ function ofActionErrored(...allowedTypes) { return ofActionOperator(allowedTypes, ["ERRORED" /* Errored */]); } /** * @param {?} allowedTypes * @param {?=} statuses * @param {?=} mapOperator * @return {?} */ function ofActionOperator(allowedTypes, statuses, // This actually could've been `OperatorFunction<ActionContext, ActionCompletion | any>`, // since it maps either to `ctx.action` OR to `ActionCompletion`. But `ActionCompleteion | any` // defaults to `any`, thus there is no sense from union type. mapOperator = mapAction) { /** @type {?} */ const allowedMap = createAllowedActionTypesMap(allowedTypes); /** @type {?} */ const allowedStatusMap = statuses && createAllowedStatusesMap(statuses); return (/** * @param {?} o * @return {?} */ function (o) { return o.pipe(filterStatus(allowedMap, allowedStatusMap), mapOperator()); }); } /** * @param {?} allowedTypes * @param {?=} allowedStatuses * @return {?} */ function filterStatus(allowedTypes, allowedStatuses) { return filter((/** * @param {?} ctx * @return {?} */ (ctx) => { /** @type {?} */ const actionType = (/** @type {?} */ (getActionTypeFromInstance(ctx.action))); /** @type {?} */ const typeMatch = allowedTypes[actionType]; /** @type {?} */ const statusMatch = allowedStatuses ? allowedStatuses[ctx.status] : true; return typeMatch && statusMatch; })); } /** * @return {?} */ function mapActionResult() { return map((/** * @param {?} __0 * @return {?} */ ({ action, status, error }) => { return (/** @type {?} */ ({ action, result: { successful: "SUCCESSFUL" /* Successful */ === status, canceled: "CANCELED" /* Canceled */ === status, error } })); })); } /** * @template T * @return {?} */ function mapAction() { return map((/** * @param {?} ctx * @return {?} */ (ctx) => (/** @type {?} */ (ctx.action)))); } /** * @record */ function FilterMap() { } /** * @param {?} types * @return {?} */ function createAllowedActionTypesMap(types) { return types.reduce((/** * @param {?} filterMap * @param {?} klass * @return {?} */ (filterMap, klass) => { filterMap[(/** @type {?} */ (getActionTypeFromInstance(klass)))] = true; return filterMap; }), (/** @type {?} */ ({}))); } /** * @param {?} statuses * @return {?} */ function createAllowedStatusesMap(statuses) { return statuses.reduce((/** * @param {?} filterMap * @param {?} status * @return {?} */ (filterMap, status) => { filterMap[status] = true; return filterMap; }), (/** @type {?} */ ({}))); } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * Returns operator that will run * `subscribe` outside of the ngxs execution context * @template T * @param {?} ngxsExecutionStrategy * @return {?} */ function leaveNgxs(ngxsExecutionStrategy) { return (/** * @param {?} source * @return {?} */ (source) => { return new Observable((/** * @param {?} sink * @return {?} */ (sink) => { return source.subscribe({ /** * @param {?} value * @return {?} */ next(value) { ngxsExecutionStrategy.leave((/** * @return {?} */ () => sink.next(value))); }, /** * @param {?} error * @return {?} */ error(error) { ngxsExecutionStrategy.leave((/** * @return {?} */ () => sink.error(error))); }, /** * @return {?} */ complete() { ngxsExecutionStrategy.leave((/** * @return {?} */ () => sink.complete())); } }); })); }); } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ class InternalNgxsExecutionStrategy { /** * @param {?} _executionStrategy */ constructor(_executionStrategy) { this._executionStrategy = _executionStrategy; } /** * @template T * @param {?} func * @return {?} */ enter(func) { return this._executionStrategy.enter(func); } /** * @template T * @param {?} func * @return {?} */ leave(func) { return this._executionStrategy.leave(func); } } InternalNgxsExecutionStrategy.decorators = [ { type: Injectable } ]; /** @nocollapse */ InternalNgxsExecutionStrategy.ctorParameters = () => [ { type: undefined, decorators: [{ type: Inject, args: [NGXS_EXECUTION_STRATEGY,] }] } ]; if (false) { /** * @type {?} * @private */ InternalNgxsExecutionStrategy.prototype._executionStrategy; } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** @enum {string} */ const ActionStatus = { Dispatched: 'DISPATCHED', Successful: 'SUCCESSFUL', Canceled: 'CANCELED', Errored: 'ERRORED', }; /** * @record * @template T */ function ActionContext() { } if (false) { /** @type {?} */ ActionContext.prototype.status; /** @type {?} */ ActionContext.prototype.action; /** @type {?|undefined} */ ActionContext.prototype.error; } /** * Custom Subject that ensures that subscribers are notified of values in the order that they arrived. * A standard Subject does not have this guarantee. * For example, given the following code: * ```typescript * const subject = new Subject<string>(); * subject.subscribe(value => { * if (value === 'start') subject.next('end'); * }); * subject.subscribe(value => { }); * subject.next('start'); * ``` * When `subject` is a standard `Subject<T>` the second subscriber would recieve `end` and then `start`. * When `subject` is a `OrderedSubject<T>` the second subscriber would recieve `start` and then `end`. * @template T */ class OrderedSubject extends Subject { constructor() { super(...arguments); this._itemQueue = []; this._busyPushingNext = false; } /** * @param {?=} value * @return {?} */ next(value) { if (this._busyPushingNext) { this._itemQueue.unshift((/** @type {?} */ (value))); return; } this._busyPushingNext = true; super.next(value); while (this._itemQueue.length > 0) { /** @type {?} */ const nextValue = this._itemQueue.pop(); super.next(nextValue); } this._busyPushingNext = false; } } if (false) { /** * @type {?} * @private */ OrderedSubject.prototype._itemQueue; /** * @type {?} * @private */ OrderedSubject.prototype._busyPushingNext; } /** * Internal Action stream that is emitted anytime an action is dispatched. */ class InternalActions extends OrderedSubject { } InternalActions.decorators = [ { type: Injectable } ]; /** * Action stream that is emitted anytime an action is dispatched. * * You can listen to this in services to react without stores. */ class Actions extends Observable { // This has to be `Observable<ActionContext>` in the v4. Because `InternalActions` // is a `Subject<ActionContext>`. Leave it as `any` to avoid breaking changes /** * @param {?} internalActions$ * @param {?} internalExecutionStrategy */ constructor(internalActions$, internalExecutionStrategy) { super((/** * @param {?} observer * @return {?} */ observer => { /** @type {?} */ const childSubscription = internalActions$ .pipe(leaveNgxs(internalExecutionStrategy)) .subscribe({ next: (/** * @param {?} ctx * @return {?} */ ctx => observer.next(ctx)), error: (/** * @param {?} error * @return {?} */ error => observer.error(error)), complete: (/** * @return {?} */ () => observer.complete()) }); observer.add(childSubscription); })); } } Actions.decorators = [ { type: Injectable } ]; /** @nocollapse */ Actions.ctorParameters = () => [ { type: InternalActions }, { type: InternalNgxsExecutionStrategy } ]; /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * Composes a array of functions from left to right. Example: * * compose([fn, final])(state, action); * * then the funcs have a signature like: * * function fn (state, action, next) { * console.log('here', state, action, next); * return next(state, action); * } * * function final (state, action) { * console.log('here', state, action); * return state; * } * * the last function should not call `next`. * * @ignore * @type {?} */ const compose = (/** * @param {?} funcs * @return {?} */ (funcs) => (/** * @param {...?} args * @return {?} */ (...args) => { /** @type {?} */ const curr = (/** @type {?} */ (funcs.shift())); return curr(...args, (/** * @param {...?} nextArgs * @return {?} */ (...nextArgs) => compose(funcs)(...nextArgs))); })); /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * BehaviorSubject of the entire state. * @ignore */ class StateStream extends BehaviorSubject { constructor() { super({}); } } StateStream.decorators = [ { type: Injectable } ]; /** @nocollapse */ StateStream.ctorParameters = () => []; /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ class PluginManager { /** * @param {?} _parentManager * @param {?} _pluginHandlers */ constructor(_parentManager, _pluginHandlers) { this._parentManager = _parentManager; this._pluginHandlers = _pluginHandlers; this.plugins = []; this.registerHandlers(); } /** * @private * @return {?} */ get rootPlugins() { return (this._parentManager && this._parentManager.plugins) || this.plugins; } /** * @private * @return {?} */ registerHandlers() { /** @type {?} */ const pluginHandlers = this.getPluginHandlers(); this.rootPlugins.push(...pluginHandlers); } /** * @private * @return {?} */ getPluginHandlers() { /** @type {?} */ const handlers = this._pluginHandlers || []; return handlers.map((/** * @param {?} plugin * @return {?} */ (plugin) => (/** @type {?} */ ((plugin.handle ? plugin.handle.bind(plugin) : plugin))))); } } PluginManager.decorators = [ { type: Injectable } ]; /** @nocollapse */ PluginManager.ctorParameters = () => [ { type: PluginManager, decorators: [{ type: Optional }, { type: SkipSelf }] }, { type: Array, decorators: [{ type: Inject, args: [NGXS_PLUGINS,] }, { type: Optional }] } ]; if (false) { /** @type {?} */ PluginManager.prototype.plugins; /** * @type {?} * @private */ PluginManager.prototype._parentManager; /** * @type {?} * @private */ PluginManager.prototype._pluginHandlers; } /** * @fileoverview added by tsickle * @suppress {checkTypes,extraRequire,missingOverride,missingReturn,unusedPrivateMembers,uselessCode} checked by tsc */ /** * Internal Action result stream that is emitted when an action is completed. * This is used as a method of returning the action result to the dispatcher * for the observable returned by the dispatch(...) call. * The dispatcher then asynchronously pushes the result from this stream onto the main action stream as a result. */ class InternalDispatchedActionResults extends Subject { } InternalDispatchedActionResults.decorators = [ { type: Injectable } ]; class InternalDispatcher { /** * @param {?} _errorHandler * @param {?} _actions * @param {?} _actionResults * @param {?} _pluginManager * @param {?} _stateStream * @param {?} _ngxsExecutionStrategy */ constructor(_errorHandler, _actions, _actionResults, _pluginManager, _stateStream, _ngxsExecutionStrategy) { this._errorHandler = _errorHandler; this._actions = _actions; this._actionResults = _actionResults; this._pluginManager = _pluginManager; this._stateStream = _stateStream; this._ngxsExecutionStrategy = _ngxsExecutionStrategy; } /** * Dispatches event(s). * @param {?} actionOrActions * @return {?} */ dispatch(actionOrActions) { /** @type {?} */ const result = this._ngxsExecutionStrategy.enter((/** * @return {?} */ () => this.dispatchByEvents(actionOrActions))); result.subscribe({ error: (/** * @param {?} error * @return {?} */ error => this._ngxsExecutionStrategy.leave((/** * @return {?} */ () => { try { this._errorHandler.handleError(error); } catch (_a) { } }))) }); return result.pipe(leaveNgxs(this._ngxsExecutionStrategy)); } /** * @private * @param {?} actionOrActions * @return {?} */ dispatchByEvents(actionOrActions) { if (Array.isArray(actionOrActions)) { if (actionOrActions.length === 0) return of(this._stateStream.getValue()); return forkJoin(actionOrActions.map((/** * @param {?} action * @return {?} */ action => this.dispatchSingle(action)))); } else { return this.dispatchSingle(actionOrActions); } } /** * @private * @param {?} action * @return {?} */ dispatchSingle(action) { /** @type {?} */ const type = getActionTypeFromInstance(action); if (!type) { /** @type {?} */ const error = new Error(`This action doesn't have a type property: ${action.constructor.name}`); return throwError(error); } /** @type {?} */ const prevState = this._stateStream.getValue(); /** @type {?} */ const plugins = this._pluginManager.plugins; return ((/** @type {?} */ (compose([ ...plugins, (/** * @param {?} nextState * @param {?} nextAction * @return {?} */ (nextState, nextAction) => { if (nextState !== prevState) { this._stateStream.next(nextState); } /** @type {?} */ const actionResult$ = this.getActionResultStream(nextAction); actionResult$.subscribe((/** * @param {?} ctx * @return {?} */ ctx => this._actions.next(ctx))); this._actions.next({ action: nextAction, status: "DISPATCHED" /* Dispatched */ }); return this.createDispatchObservable(actionResult$); }) ])(prevState, action)))).pipe(shareReplay()); } /** * @private * @param {?} action * @return {?} */ getActionResultStream(action) { return this._actionResults.pipe(filter((/** * @param {?} ctx * @return {?} */ (ctx) => ctx.action === action && ctx.status !== "DISPATCHED" /* Dispatched */)), take(1), shareReplay()); } /** * @private * @param {?} actionResult$ * @return {?} */ createDispatchObservable(actionResult$) { return actionResult$ .pipe(exhaustMap((/** * @param {?} ctx * @return {?} */ (ctx) => { switch (ctx.status) { case "SUCCESSFUL" /* Successful */: return of(this._stateStream.getValue()); case "ERRORED" /* Errored */: return throwError(ctx.error); default: return EMPTY; } }))) .pipe(shareReplay()); } } InternalDispatcher.decorators = [ { type: Injectable } ]; /** @nocollapse */ InternalDispatcher.ctorParameters = () => [ { type: ErrorHandler }, { type: InternalActions }, { type: InternalDispatchedActionResults }, { type: PluginManager }, { type: StateStream }, { type: InternalNgxsExecutionStrategy } ]; if (false) { /** * @type {?} * @private */ InternalDispatcher.prototype._errorHandler; /** * @type {?} * @private */ InternalDispatcher.prototype._actions; /** * @type {?} * @private */ InternalDispatcher.prototype._actionResults;