@ngxs/store 19.0.0-dev.master-b836d8e → 19.0.0-dev.master-81c7a7c

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.
@@ -4,7 +4,7 @@ import { ɵgetDOM as _getDOM, BrowserModule, ɵBrowserDomAdapter as _BrowserDomA
4
4
  import * as i0 from '@angular/core';
5
5
  import { destroyPlatform, VERSION, createPlatform, Component, NgModule, ApplicationRef } from '@angular/core';
6
6
  import { BrowserDynamicTestingModule, platformBrowserDynamicTesting } from '@angular/platform-browser-dynamic/testing';
7
- import { NgxsModule, Store } from '@ngxs/store';
7
+ import { NgxsModule, DispatchOutsideZoneNgxsExecutionStrategy, Store } from '@ngxs/store';
8
8
 
9
9
  function createRootElement() {
10
10
  const document = TestBed.inject(DOCUMENT);
@@ -149,7 +149,9 @@ class NgxsTestBed {
149
149
  skipConsoleLogging(() => TestBed.configureTestingModule({
150
150
  imports: [
151
151
  NgxsTestModule,
152
- NgxsModule.forRoot(options.states || [], options.ngxsOptions || {}),
152
+ NgxsModule.forRoot(options.states || [], options.ngxsOptions || {
153
+ executionStrategy: DispatchOutsideZoneNgxsExecutionStrategy
154
+ }),
153
155
  ...(options.imports || [])
154
156
  ]
155
157
  }).compileComponents());
@@ -1 +1 @@
1
- {"version":3,"file":"ngxs-store-internals-testing.mjs","sources":["../../../packages/store/internals/testing/src/fresh-platform.ts","../../../packages/store/internals/testing/src/helpers/ngxs-test.component.ts","../../../packages/store/internals/testing/src/helpers/ngxs-test.module.ts","../../../packages/store/internals/testing/src/skip-console-logging.ts","../../../packages/store/internals/testing/src/ngxs.setup.ts","../../../packages/store/internals/testing/src/ngxs-store-internals-testing.ts"],"sourcesContent":["import { TestBed } from '@angular/core/testing';\nimport { DOCUMENT } from '@angular/common';\nimport { ɵgetDOM as getDOM } from '@angular/platform-browser';\nimport { VERSION, destroyPlatform, createPlatform } from '@angular/core';\n\nfunction createRootElement() {\n const document = TestBed.inject(DOCUMENT);\n const root = getDOM().createElement('app-root', document);\n document.body.appendChild(root);\n}\n\nfunction removeRootElement() {\n const root: Element = document.getElementsByTagName('app-root').item(0)!;\n try {\n document.body.removeChild(root);\n } catch {}\n}\n\nfunction destroyPlatformBeforeBootstrappingTheNewOne(freshUrl: string) {\n destroyPlatform();\n resetLocationToUrl(freshUrl);\n createRootElement();\n}\n\n// As we create our custom platform via `bootstrapModule`\n// we have to destroy it after assetions and revert\n// the previous one\nfunction resetPlatformAfterBootstrapping() {\n removeRootElement();\n destroyPlatform();\n const version = +VERSION.major;\n // https://github.com/angular/angular/commit/e250db4f261741b04ee4cbad4dec41a8908a12aa\n if (version < 14) {\n createPlatform(TestBed);\n }\n}\n\nfunction resetLocationToUrl(freshUrl: string) {\n window.history.replaceState({}, 'Test', freshUrl);\n}\n\nexport function freshPlatform(fn: (done?: VoidFunction) => Promise<void>) {\n let resolve: VoidFunction | null = null;\n let reject: ((error: Error) => void) | null = null;\n let whenDoneIsCalledPromise: Promise<void> | null = null;\n\n const hasDoneArgument = fn.length === 1;\n\n if (hasDoneArgument) {\n whenDoneIsCalledPromise = new Promise<void>((_resolve, _reject) => {\n resolve = _resolve;\n reject = _reject;\n });\n }\n\n return async function testWithAFreshPlatform() {\n try {\n const freshUrl = '/';\n destroyPlatformBeforeBootstrappingTheNewOne(freshUrl);\n\n if (hasDoneArgument) {\n await fn((error?: Error) => {\n if (error) {\n reject!(error);\n } else {\n resolve!();\n }\n });\n await whenDoneIsCalledPromise!;\n } else {\n await fn();\n }\n } finally {\n resetPlatformAfterBootstrapping();\n }\n };\n}\n","import { AfterViewInit, Component, OnInit } from '@angular/core';\n\n@Component({\n selector: 'app-root',\n template: ''\n})\nexport class NgxsTestComponent implements OnInit, AfterViewInit {\n public ngOnInit(): void {}\n public ngAfterViewInit(): void {}\n}\n","import { ApplicationRef, NgModule } from '@angular/core';\nimport { BrowserModule } from '@angular/platform-browser';\n\nimport { NgxsTestComponent } from './ngxs-test.component';\n\n@NgModule({\n imports: [BrowserModule, NgxsTestComponent]\n})\nexport class NgxsTestModule {\n public static ngDoBootstrap(app: ApplicationRef): void {\n app.bootstrap(NgxsTestComponent);\n }\n}\n","export type ConsoleRecord = [string, any[]];\nexport type ConsoleRecorder = ConsoleRecord[];\n\nexport function loggedError(message: string): ConsoleRecord {\n return ['error', [expect.objectContaining({ message })]];\n}\n\nexport function skipConsoleLogging<T extends (...args: any[]) => any>(\n fn: T,\n consoleRecorder: ConsoleRecorder = []\n): ReturnType<T> {\n const consoleSpies = [\n jest.spyOn(console, 'log').mockImplementation((...args) => {\n consoleRecorder.push(['log', args]);\n }),\n jest.spyOn(console, 'warn').mockImplementation((...args) => {\n consoleRecorder.push(['warn', args]);\n }),\n jest.spyOn(console, 'error').mockImplementation((...args) => {\n consoleRecorder.push(['error', args]);\n }),\n jest.spyOn(console, 'info').mockImplementation((...args) => {\n consoleRecorder.push(['info', args]);\n })\n ];\n function restoreSpies() {\n consoleSpies.forEach(spy => spy.mockRestore());\n }\n let restoreSpyAsync = false;\n try {\n const returnValue = fn();\n if (returnValue instanceof Promise) {\n restoreSpyAsync = true;\n return returnValue.finally(() => restoreSpies()) as ReturnType<T>;\n }\n return returnValue;\n } finally {\n if (!restoreSpyAsync) {\n restoreSpies();\n }\n }\n}\n","import { ApplicationRef } from '@angular/core';\nimport { TestBed, TestBedStatic } from '@angular/core/testing';\nimport { DOCUMENT } from '@angular/common';\nimport { ɵBrowserDomAdapter as BrowserDomAdapter } from '@angular/platform-browser';\nimport {\n BrowserDynamicTestingModule,\n platformBrowserDynamicTesting\n} from '@angular/platform-browser-dynamic/testing';\nimport { NgxsModule, Store } from '@ngxs/store';\n\nimport { NgxsTestModule } from './helpers/ngxs-test.module';\nimport { NgxsOptionsTesting, NgxsTesting } from './symbol';\nimport { skipConsoleLogging } from './skip-console-logging';\n\nexport class NgxsTestBed {\n public static configureTestingStates(options: NgxsOptionsTesting): NgxsTesting {\n this.resetTestBed();\n\n if (options.before) {\n options.before();\n }\n\n skipConsoleLogging(() =>\n TestBed.configureTestingModule({\n imports: [\n NgxsTestModule,\n NgxsModule.forRoot(options.states || [], options.ngxsOptions || {}),\n ...(options.imports || [])\n ]\n }).compileComponents()\n );\n\n NgxsTestBed.ngxsBootstrap();\n\n return {\n get store(): Store {\n return TestBed.inject(Store);\n },\n get getTestBed(): TestBedStatic {\n return TestBed;\n }\n };\n }\n\n private static ngxsBootstrap(): void {\n NgxsTestBed.createRootNode();\n NgxsTestModule.ngDoBootstrap(TestBed.inject(ApplicationRef));\n }\n\n private static resetTestBed(): void {\n TestBed.resetTestEnvironment();\n TestBed.initTestEnvironment(BrowserDynamicTestingModule, platformBrowserDynamicTesting(), {\n teardown: { destroyAfterEach: true }\n });\n }\n\n private static createRootNode(selector = 'app-root'): void {\n const document = TestBed.inject(DOCUMENT);\n const adapter = new BrowserDomAdapter();\n const root = adapter.createElement(selector);\n document.body.appendChild(root);\n }\n}\n","/**\n * Generated bundle index. Do not edit.\n */\n\nexport * from './index';\n"],"names":["getDOM","BrowserDomAdapter"],"mappings":";;;;;;;;AAKA,SAAS,iBAAiB,GAAA;IACxB,MAAM,QAAQ,GAAG,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC;IACzC,MAAM,IAAI,GAAGA,OAAM,EAAE,CAAC,aAAa,CAAC,UAAU,EAAE,QAAQ,CAAC;AACzD,IAAA,QAAQ,CAAC,IAAI,CAAC,WAAW,CAAC,IAAI,CAAC;AACjC;AAEA,SAAS,iBAAiB,GAAA;AACxB,IAAA,MAAM,IAAI,GAAY,QAAQ,CAAC,oBAAoB,CAAC,UAAU,CAAC,CAAC,IAAI,CAAC,CAAC,CAAE;AACxE,IAAA,IAAI;AACF,QAAA,QAAQ,CAAC,IAAI,CAAC,WAAW,CAAC,IAAI,CAAC;;IAC/B,MAAM;AACV;AAEA,SAAS,2CAA2C,CAAC,QAAgB,EAAA;AACnE,IAAA,eAAe,EAAE;IACjB,kBAAkB,CAAC,QAAQ,CAAC;AAC5B,IAAA,iBAAiB,EAAE;AACrB;AAEA;AACA;AACA;AACA,SAAS,+BAA+B,GAAA;AACtC,IAAA,iBAAiB,EAAE;AACnB,IAAA,eAAe,EAAE;AACjB,IAAA,MAAM,OAAO,GAAG,CAAC,OAAO,CAAC,KAAK;;AAE9B,IAAA,IAAI,OAAO,GAAG,EAAE,EAAE;QAChB,cAAc,CAAC,OAAO,CAAC;;AAE3B;AAEA,SAAS,kBAAkB,CAAC,QAAgB,EAAA;IAC1C,MAAM,CAAC,OAAO,CAAC,YAAY,CAAC,EAAE,EAAE,MAAM,EAAE,QAAQ,CAAC;AACnD;AAEM,SAAU,aAAa,CAAC,EAA0C,EAAA;IACtE,IAAI,OAAO,GAAwB,IAAI;IACvC,IAAI,MAAM,GAAoC,IAAI;IAClD,IAAI,uBAAuB,GAAyB,IAAI;AAExD,IAAA,MAAM,eAAe,GAAG,EAAE,CAAC,MAAM,KAAK,CAAC;IAEvC,IAAI,eAAe,EAAE;QACnB,uBAAuB,GAAG,IAAI,OAAO,CAAO,CAAC,QAAQ,EAAE,OAAO,KAAI;YAChE,OAAO,GAAG,QAAQ;YAClB,MAAM,GAAG,OAAO;AAClB,SAAC,CAAC;;IAGJ,OAAO,eAAe,sBAAsB,GAAA;AAC1C,QAAA,IAAI;YACF,MAAM,QAAQ,GAAG,GAAG;YACpB,2CAA2C,CAAC,QAAQ,CAAC;YAErD,IAAI,eAAe,EAAE;AACnB,gBAAA,MAAM,EAAE,CAAC,CAAC,KAAa,KAAI;oBACzB,IAAI,KAAK,EAAE;wBACT,MAAO,CAAC,KAAK,CAAC;;yBACT;AACL,wBAAA,OAAQ,EAAE;;AAEd,iBAAC,CAAC;AACF,gBAAA,MAAM,uBAAwB;;iBACzB;gBACL,MAAM,EAAE,EAAE;;;gBAEJ;AACR,YAAA,+BAA+B,EAAE;;AAErC,KAAC;AACH;;MCtEa,iBAAiB,CAAA;AACrB,IAAA,QAAQ;AACR,IAAA,eAAe;iIAFX,iBAAiB,EAAA,IAAA,EAAA,EAAA,EAAA,MAAA,EAAA,EAAA,CAAA,eAAA,CAAA,SAAA,EAAA,CAAA,CAAA;AAAjB,uBAAA,SAAA,IAAA,CAAA,IAAA,GAAA,EAAA,CAAA,oBAAA,CAAA,EAAA,UAAA,EAAA,QAAA,EAAA,OAAA,EAAA,QAAA,EAAA,IAAA,EAAA,iBAAiB,oEAFlB,EAAE,EAAA,QAAA,EAAA,IAAA,EAAA,CAAA,CAAA;;2FAED,iBAAiB,EAAA,UAAA,EAAA,CAAA;kBAJ7B,SAAS;AAAC,YAAA,IAAA,EAAA,CAAA;AACT,oBAAA,QAAQ,EAAE,UAAU;AACpB,oBAAA,QAAQ,EAAE;AACX,iBAAA;;;MCGY,cAAc,CAAA;IAClB,OAAO,aAAa,CAAC,GAAmB,EAAA;AAC7C,QAAA,GAAG,CAAC,SAAS,CAAC,iBAAiB,CAAC;;iIAFvB,cAAc,EAAA,IAAA,EAAA,EAAA,EAAA,MAAA,EAAA,EAAA,CAAA,eAAA,CAAA,QAAA,EAAA,CAAA,CAAA;kIAAd,cAAc,EAAA,OAAA,EAAA,CAFf,aAAa,EAAE,iBAAiB,CAAA,EAAA,CAAA,CAAA;AAE/B,uBAAA,SAAA,IAAA,CAAA,IAAA,GAAA,EAAA,CAAA,mBAAA,CAAA,EAAA,UAAA,EAAA,QAAA,EAAA,OAAA,EAAA,QAAA,EAAA,QAAA,EAAA,EAAA,EAAA,IAAA,EAAA,cAAc,YAFf,aAAa,CAAA,EAAA,CAAA,CAAA;;2FAEZ,cAAc,EAAA,UAAA,EAAA,CAAA;kBAH1B,QAAQ;AAAC,YAAA,IAAA,EAAA,CAAA;AACR,oBAAA,OAAO,EAAE,CAAC,aAAa,EAAE,iBAAiB;AAC3C,iBAAA;;;ACJK,SAAU,WAAW,CAAC,OAAe,EAAA;AACzC,IAAA,OAAO,CAAC,OAAO,EAAE,CAAC,MAAM,CAAC,gBAAgB,CAAC,EAAE,OAAO,EAAE,CAAC,CAAC,CAAC;AAC1D;SAEgB,kBAAkB,CAChC,EAAK,EACL,kBAAmC,EAAE,EAAA;AAErC,IAAA,MAAM,YAAY,GAAG;AACnB,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,KAAK,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YACxD,eAAe,CAAC,IAAI,CAAC,CAAC,KAAK,EAAE,IAAI,CAAC,CAAC;AACrC,SAAC,CAAC;AACF,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,MAAM,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YACzD,eAAe,CAAC,IAAI,CAAC,CAAC,MAAM,EAAE,IAAI,CAAC,CAAC;AACtC,SAAC,CAAC;AACF,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,OAAO,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YAC1D,eAAe,CAAC,IAAI,CAAC,CAAC,OAAO,EAAE,IAAI,CAAC,CAAC;AACvC,SAAC,CAAC;AACF,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,MAAM,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YACzD,eAAe,CAAC,IAAI,CAAC,CAAC,MAAM,EAAE,IAAI,CAAC,CAAC;AACtC,SAAC;KACF;AACD,IAAA,SAAS,YAAY,GAAA;AACnB,QAAA,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,GAAG,CAAC,WAAW,EAAE,CAAC;;IAEhD,IAAI,eAAe,GAAG,KAAK;AAC3B,IAAA,IAAI;AACF,QAAA,MAAM,WAAW,GAAG,EAAE,EAAE;AACxB,QAAA,IAAI,WAAW,YAAY,OAAO,EAAE;YAClC,eAAe,GAAG,IAAI;YACtB,OAAO,WAAW,CAAC,OAAO,CAAC,MAAM,YAAY,EAAE,CAAkB;;AAEnE,QAAA,OAAO,WAAW;;YACV;QACR,IAAI,CAAC,eAAe,EAAE;AACpB,YAAA,YAAY,EAAE;;;AAGpB;;MC3Ba,WAAW,CAAA;IACf,OAAO,sBAAsB,CAAC,OAA2B,EAAA;QAC9D,IAAI,CAAC,YAAY,EAAE;AAEnB,QAAA,IAAI,OAAO,CAAC,MAAM,EAAE;YAClB,OAAO,CAAC,MAAM,EAAE;;AAGlB,QAAA,kBAAkB,CAAC,MACjB,OAAO,CAAC,sBAAsB,CAAC;AAC7B,YAAA,OAAO,EAAE;gBACP,cAAc;AACd,gBAAA,UAAU,CAAC,OAAO,CAAC,OAAO,CAAC,MAAM,IAAI,EAAE,EAAE,OAAO,CAAC,WAAW,IAAI,EAAE,CAAC;AACnE,gBAAA,IAAI,OAAO,CAAC,OAAO,IAAI,EAAE;AAC1B;AACF,SAAA,CAAC,CAAC,iBAAiB,EAAE,CACvB;QAED,WAAW,CAAC,aAAa,EAAE;QAE3B,OAAO;AACL,YAAA,IAAI,KAAK,GAAA;AACP,gBAAA,OAAO,OAAO,CAAC,MAAM,CAAC,KAAK,CAAC;aAC7B;AACD,YAAA,IAAI,UAAU,GAAA;AACZ,gBAAA,OAAO,OAAO;;SAEjB;;AAGK,IAAA,OAAO,aAAa,GAAA;QAC1B,WAAW,CAAC,cAAc,EAAE;QAC5B,cAAc,CAAC,aAAa,CAAC,OAAO,CAAC,MAAM,CAAC,cAAc,CAAC,CAAC;;AAGtD,IAAA,OAAO,YAAY,GAAA;QACzB,OAAO,CAAC,oBAAoB,EAAE;AAC9B,QAAA,OAAO,CAAC,mBAAmB,CAAC,2BAA2B,EAAE,6BAA6B,EAAE,EAAE;AACxF,YAAA,QAAQ,EAAE,EAAE,gBAAgB,EAAE,IAAI;AACnC,SAAA,CAAC;;AAGI,IAAA,OAAO,cAAc,CAAC,QAAQ,GAAG,UAAU,EAAA;QACjD,MAAM,QAAQ,GAAG,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC;AACzC,QAAA,MAAM,OAAO,GAAG,IAAIC,kBAAiB,EAAE;QACvC,MAAM,IAAI,GAAG,OAAO,CAAC,aAAa,CAAC,QAAQ,CAAC;AAC5C,QAAA,QAAQ,CAAC,IAAI,CAAC,WAAW,CAAC,IAAI,CAAC;;AAElC;;AC9DD;;AAEG;;;;"}
1
+ {"version":3,"file":"ngxs-store-internals-testing.mjs","sources":["../../../packages/store/internals/testing/src/fresh-platform.ts","../../../packages/store/internals/testing/src/helpers/ngxs-test.component.ts","../../../packages/store/internals/testing/src/helpers/ngxs-test.module.ts","../../../packages/store/internals/testing/src/skip-console-logging.ts","../../../packages/store/internals/testing/src/ngxs.setup.ts","../../../packages/store/internals/testing/src/ngxs-store-internals-testing.ts"],"sourcesContent":["import { TestBed } from '@angular/core/testing';\nimport { DOCUMENT } from '@angular/common';\nimport { ɵgetDOM as getDOM } from '@angular/platform-browser';\nimport { VERSION, destroyPlatform, createPlatform } from '@angular/core';\n\nfunction createRootElement() {\n const document = TestBed.inject(DOCUMENT);\n const root = getDOM().createElement('app-root', document);\n document.body.appendChild(root);\n}\n\nfunction removeRootElement() {\n const root: Element = document.getElementsByTagName('app-root').item(0)!;\n try {\n document.body.removeChild(root);\n } catch {}\n}\n\nfunction destroyPlatformBeforeBootstrappingTheNewOne(freshUrl: string) {\n destroyPlatform();\n resetLocationToUrl(freshUrl);\n createRootElement();\n}\n\n// As we create our custom platform via `bootstrapModule`\n// we have to destroy it after assetions and revert\n// the previous one\nfunction resetPlatformAfterBootstrapping() {\n removeRootElement();\n destroyPlatform();\n const version = +VERSION.major;\n // https://github.com/angular/angular/commit/e250db4f261741b04ee4cbad4dec41a8908a12aa\n if (version < 14) {\n createPlatform(TestBed);\n }\n}\n\nfunction resetLocationToUrl(freshUrl: string) {\n window.history.replaceState({}, 'Test', freshUrl);\n}\n\nexport function freshPlatform(fn: (done?: VoidFunction) => Promise<void>) {\n let resolve: VoidFunction | null = null;\n let reject: ((error: Error) => void) | null = null;\n let whenDoneIsCalledPromise: Promise<void> | null = null;\n\n const hasDoneArgument = fn.length === 1;\n\n if (hasDoneArgument) {\n whenDoneIsCalledPromise = new Promise<void>((_resolve, _reject) => {\n resolve = _resolve;\n reject = _reject;\n });\n }\n\n return async function testWithAFreshPlatform() {\n try {\n const freshUrl = '/';\n destroyPlatformBeforeBootstrappingTheNewOne(freshUrl);\n\n if (hasDoneArgument) {\n await fn((error?: Error) => {\n if (error) {\n reject!(error);\n } else {\n resolve!();\n }\n });\n await whenDoneIsCalledPromise!;\n } else {\n await fn();\n }\n } finally {\n resetPlatformAfterBootstrapping();\n }\n };\n}\n","import { AfterViewInit, Component, OnInit } from '@angular/core';\n\n@Component({\n selector: 'app-root',\n template: ''\n})\nexport class NgxsTestComponent implements OnInit, AfterViewInit {\n public ngOnInit(): void {}\n public ngAfterViewInit(): void {}\n}\n","import { ApplicationRef, NgModule } from '@angular/core';\nimport { BrowserModule } from '@angular/platform-browser';\n\nimport { NgxsTestComponent } from './ngxs-test.component';\n\n@NgModule({\n imports: [BrowserModule, NgxsTestComponent]\n})\nexport class NgxsTestModule {\n public static ngDoBootstrap(app: ApplicationRef): void {\n app.bootstrap(NgxsTestComponent);\n }\n}\n","export type ConsoleRecord = [string, any[]];\nexport type ConsoleRecorder = ConsoleRecord[];\n\nexport function loggedError(message: string): ConsoleRecord {\n return ['error', [expect.objectContaining({ message })]];\n}\n\nexport function skipConsoleLogging<T extends (...args: any[]) => any>(\n fn: T,\n consoleRecorder: ConsoleRecorder = []\n): ReturnType<T> {\n const consoleSpies = [\n jest.spyOn(console, 'log').mockImplementation((...args) => {\n consoleRecorder.push(['log', args]);\n }),\n jest.spyOn(console, 'warn').mockImplementation((...args) => {\n consoleRecorder.push(['warn', args]);\n }),\n jest.spyOn(console, 'error').mockImplementation((...args) => {\n consoleRecorder.push(['error', args]);\n }),\n jest.spyOn(console, 'info').mockImplementation((...args) => {\n consoleRecorder.push(['info', args]);\n })\n ];\n function restoreSpies() {\n consoleSpies.forEach(spy => spy.mockRestore());\n }\n let restoreSpyAsync = false;\n try {\n const returnValue = fn();\n if (returnValue instanceof Promise) {\n restoreSpyAsync = true;\n return returnValue.finally(() => restoreSpies()) as ReturnType<T>;\n }\n return returnValue;\n } finally {\n if (!restoreSpyAsync) {\n restoreSpies();\n }\n }\n}\n","import { ApplicationRef } from '@angular/core';\nimport { TestBed, TestBedStatic } from '@angular/core/testing';\nimport { DOCUMENT } from '@angular/common';\nimport { ɵBrowserDomAdapter as BrowserDomAdapter } from '@angular/platform-browser';\nimport {\n BrowserDynamicTestingModule,\n platformBrowserDynamicTesting\n} from '@angular/platform-browser-dynamic/testing';\nimport { DispatchOutsideZoneNgxsExecutionStrategy, NgxsModule, Store } from '@ngxs/store';\n\nimport { NgxsTestModule } from './helpers/ngxs-test.module';\nimport { NgxsOptionsTesting, NgxsTesting } from './symbol';\nimport { skipConsoleLogging } from './skip-console-logging';\n\nexport class NgxsTestBed {\n public static configureTestingStates(options: NgxsOptionsTesting): NgxsTesting {\n this.resetTestBed();\n\n if (options.before) {\n options.before();\n }\n\n skipConsoleLogging(() =>\n TestBed.configureTestingModule({\n imports: [\n NgxsTestModule,\n NgxsModule.forRoot(\n options.states || [],\n options.ngxsOptions || {\n executionStrategy: DispatchOutsideZoneNgxsExecutionStrategy\n }\n ),\n ...(options.imports || [])\n ]\n }).compileComponents()\n );\n\n NgxsTestBed.ngxsBootstrap();\n\n return {\n get store(): Store {\n return TestBed.inject(Store);\n },\n get getTestBed(): TestBedStatic {\n return TestBed;\n }\n };\n }\n\n private static ngxsBootstrap(): void {\n NgxsTestBed.createRootNode();\n NgxsTestModule.ngDoBootstrap(TestBed.inject(ApplicationRef));\n }\n\n private static resetTestBed(): void {\n TestBed.resetTestEnvironment();\n TestBed.initTestEnvironment(BrowserDynamicTestingModule, platformBrowserDynamicTesting(), {\n teardown: { destroyAfterEach: true }\n });\n }\n\n private static createRootNode(selector = 'app-root'): void {\n const document = TestBed.inject(DOCUMENT);\n const adapter = new BrowserDomAdapter();\n const root = adapter.createElement(selector);\n document.body.appendChild(root);\n }\n}\n","/**\n * Generated bundle index. Do not edit.\n */\n\nexport * from './index';\n"],"names":["getDOM","BrowserDomAdapter"],"mappings":";;;;;;;;AAKA,SAAS,iBAAiB,GAAA;IACxB,MAAM,QAAQ,GAAG,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC;IACzC,MAAM,IAAI,GAAGA,OAAM,EAAE,CAAC,aAAa,CAAC,UAAU,EAAE,QAAQ,CAAC;AACzD,IAAA,QAAQ,CAAC,IAAI,CAAC,WAAW,CAAC,IAAI,CAAC;AACjC;AAEA,SAAS,iBAAiB,GAAA;AACxB,IAAA,MAAM,IAAI,GAAY,QAAQ,CAAC,oBAAoB,CAAC,UAAU,CAAC,CAAC,IAAI,CAAC,CAAC,CAAE;AACxE,IAAA,IAAI;AACF,QAAA,QAAQ,CAAC,IAAI,CAAC,WAAW,CAAC,IAAI,CAAC;;IAC/B,MAAM;AACV;AAEA,SAAS,2CAA2C,CAAC,QAAgB,EAAA;AACnE,IAAA,eAAe,EAAE;IACjB,kBAAkB,CAAC,QAAQ,CAAC;AAC5B,IAAA,iBAAiB,EAAE;AACrB;AAEA;AACA;AACA;AACA,SAAS,+BAA+B,GAAA;AACtC,IAAA,iBAAiB,EAAE;AACnB,IAAA,eAAe,EAAE;AACjB,IAAA,MAAM,OAAO,GAAG,CAAC,OAAO,CAAC,KAAK;;AAE9B,IAAA,IAAI,OAAO,GAAG,EAAE,EAAE;QAChB,cAAc,CAAC,OAAO,CAAC;;AAE3B;AAEA,SAAS,kBAAkB,CAAC,QAAgB,EAAA;IAC1C,MAAM,CAAC,OAAO,CAAC,YAAY,CAAC,EAAE,EAAE,MAAM,EAAE,QAAQ,CAAC;AACnD;AAEM,SAAU,aAAa,CAAC,EAA0C,EAAA;IACtE,IAAI,OAAO,GAAwB,IAAI;IACvC,IAAI,MAAM,GAAoC,IAAI;IAClD,IAAI,uBAAuB,GAAyB,IAAI;AAExD,IAAA,MAAM,eAAe,GAAG,EAAE,CAAC,MAAM,KAAK,CAAC;IAEvC,IAAI,eAAe,EAAE;QACnB,uBAAuB,GAAG,IAAI,OAAO,CAAO,CAAC,QAAQ,EAAE,OAAO,KAAI;YAChE,OAAO,GAAG,QAAQ;YAClB,MAAM,GAAG,OAAO;AAClB,SAAC,CAAC;;IAGJ,OAAO,eAAe,sBAAsB,GAAA;AAC1C,QAAA,IAAI;YACF,MAAM,QAAQ,GAAG,GAAG;YACpB,2CAA2C,CAAC,QAAQ,CAAC;YAErD,IAAI,eAAe,EAAE;AACnB,gBAAA,MAAM,EAAE,CAAC,CAAC,KAAa,KAAI;oBACzB,IAAI,KAAK,EAAE;wBACT,MAAO,CAAC,KAAK,CAAC;;yBACT;AACL,wBAAA,OAAQ,EAAE;;AAEd,iBAAC,CAAC;AACF,gBAAA,MAAM,uBAAwB;;iBACzB;gBACL,MAAM,EAAE,EAAE;;;gBAEJ;AACR,YAAA,+BAA+B,EAAE;;AAErC,KAAC;AACH;;MCtEa,iBAAiB,CAAA;AACrB,IAAA,QAAQ;AACR,IAAA,eAAe;iIAFX,iBAAiB,EAAA,IAAA,EAAA,EAAA,EAAA,MAAA,EAAA,EAAA,CAAA,eAAA,CAAA,SAAA,EAAA,CAAA,CAAA;AAAjB,uBAAA,SAAA,IAAA,CAAA,IAAA,GAAA,EAAA,CAAA,oBAAA,CAAA,EAAA,UAAA,EAAA,QAAA,EAAA,OAAA,EAAA,QAAA,EAAA,IAAA,EAAA,iBAAiB,oEAFlB,EAAE,EAAA,QAAA,EAAA,IAAA,EAAA,CAAA,CAAA;;2FAED,iBAAiB,EAAA,UAAA,EAAA,CAAA;kBAJ7B,SAAS;AAAC,YAAA,IAAA,EAAA,CAAA;AACT,oBAAA,QAAQ,EAAE,UAAU;AACpB,oBAAA,QAAQ,EAAE;AACX,iBAAA;;;MCGY,cAAc,CAAA;IAClB,OAAO,aAAa,CAAC,GAAmB,EAAA;AAC7C,QAAA,GAAG,CAAC,SAAS,CAAC,iBAAiB,CAAC;;iIAFvB,cAAc,EAAA,IAAA,EAAA,EAAA,EAAA,MAAA,EAAA,EAAA,CAAA,eAAA,CAAA,QAAA,EAAA,CAAA,CAAA;kIAAd,cAAc,EAAA,OAAA,EAAA,CAFf,aAAa,EAAE,iBAAiB,CAAA,EAAA,CAAA,CAAA;AAE/B,uBAAA,SAAA,IAAA,CAAA,IAAA,GAAA,EAAA,CAAA,mBAAA,CAAA,EAAA,UAAA,EAAA,QAAA,EAAA,OAAA,EAAA,QAAA,EAAA,QAAA,EAAA,EAAA,EAAA,IAAA,EAAA,cAAc,YAFf,aAAa,CAAA,EAAA,CAAA,CAAA;;2FAEZ,cAAc,EAAA,UAAA,EAAA,CAAA;kBAH1B,QAAQ;AAAC,YAAA,IAAA,EAAA,CAAA;AACR,oBAAA,OAAO,EAAE,CAAC,aAAa,EAAE,iBAAiB;AAC3C,iBAAA;;;ACJK,SAAU,WAAW,CAAC,OAAe,EAAA;AACzC,IAAA,OAAO,CAAC,OAAO,EAAE,CAAC,MAAM,CAAC,gBAAgB,CAAC,EAAE,OAAO,EAAE,CAAC,CAAC,CAAC;AAC1D;SAEgB,kBAAkB,CAChC,EAAK,EACL,kBAAmC,EAAE,EAAA;AAErC,IAAA,MAAM,YAAY,GAAG;AACnB,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,KAAK,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YACxD,eAAe,CAAC,IAAI,CAAC,CAAC,KAAK,EAAE,IAAI,CAAC,CAAC;AACrC,SAAC,CAAC;AACF,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,MAAM,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YACzD,eAAe,CAAC,IAAI,CAAC,CAAC,MAAM,EAAE,IAAI,CAAC,CAAC;AACtC,SAAC,CAAC;AACF,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,OAAO,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YAC1D,eAAe,CAAC,IAAI,CAAC,CAAC,OAAO,EAAE,IAAI,CAAC,CAAC;AACvC,SAAC,CAAC;AACF,QAAA,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE,MAAM,CAAC,CAAC,kBAAkB,CAAC,CAAC,GAAG,IAAI,KAAI;YACzD,eAAe,CAAC,IAAI,CAAC,CAAC,MAAM,EAAE,IAAI,CAAC,CAAC;AACtC,SAAC;KACF;AACD,IAAA,SAAS,YAAY,GAAA;AACnB,QAAA,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,GAAG,CAAC,WAAW,EAAE,CAAC;;IAEhD,IAAI,eAAe,GAAG,KAAK;AAC3B,IAAA,IAAI;AACF,QAAA,MAAM,WAAW,GAAG,EAAE,EAAE;AACxB,QAAA,IAAI,WAAW,YAAY,OAAO,EAAE;YAClC,eAAe,GAAG,IAAI;YACtB,OAAO,WAAW,CAAC,OAAO,CAAC,MAAM,YAAY,EAAE,CAAkB;;AAEnE,QAAA,OAAO,WAAW;;YACV;QACR,IAAI,CAAC,eAAe,EAAE;AACpB,YAAA,YAAY,EAAE;;;AAGpB;;MC3Ba,WAAW,CAAA;IACf,OAAO,sBAAsB,CAAC,OAA2B,EAAA;QAC9D,IAAI,CAAC,YAAY,EAAE;AAEnB,QAAA,IAAI,OAAO,CAAC,MAAM,EAAE;YAClB,OAAO,CAAC,MAAM,EAAE;;AAGlB,QAAA,kBAAkB,CAAC,MACjB,OAAO,CAAC,sBAAsB,CAAC;AAC7B,YAAA,OAAO,EAAE;gBACP,cAAc;AACd,gBAAA,UAAU,CAAC,OAAO,CAChB,OAAO,CAAC,MAAM,IAAI,EAAE,EACpB,OAAO,CAAC,WAAW,IAAI;AACrB,oBAAA,iBAAiB,EAAE;iBACpB,CACF;AACD,gBAAA,IAAI,OAAO,CAAC,OAAO,IAAI,EAAE;AAC1B;AACF,SAAA,CAAC,CAAC,iBAAiB,EAAE,CACvB;QAED,WAAW,CAAC,aAAa,EAAE;QAE3B,OAAO;AACL,YAAA,IAAI,KAAK,GAAA;AACP,gBAAA,OAAO,OAAO,CAAC,MAAM,CAAC,KAAK,CAAC;aAC7B;AACD,YAAA,IAAI,UAAU,GAAA;AACZ,gBAAA,OAAO,OAAO;;SAEjB;;AAGK,IAAA,OAAO,aAAa,GAAA;QAC1B,WAAW,CAAC,cAAc,EAAE;QAC5B,cAAc,CAAC,aAAa,CAAC,OAAO,CAAC,MAAM,CAAC,cAAc,CAAC,CAAC;;AAGtD,IAAA,OAAO,YAAY,GAAA;QACzB,OAAO,CAAC,oBAAoB,EAAE;AAC9B,QAAA,OAAO,CAAC,mBAAmB,CAAC,2BAA2B,EAAE,6BAA6B,EAAE,EAAE;AACxF,YAAA,QAAQ,EAAE,EAAE,gBAAgB,EAAE,IAAI;AACnC,SAAA,CAAC;;AAGI,IAAA,OAAO,cAAc,CAAC,QAAQ,GAAG,UAAU,EAAA;QACjD,MAAM,QAAQ,GAAG,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC;AACzC,QAAA,MAAM,OAAO,GAAG,IAAIC,kBAAiB,EAAE;QACvC,MAAM,IAAI,GAAG,OAAO,CAAC,aAAa,CAAC,QAAQ,CAAC;AAC5C,QAAA,QAAQ,CAAC,IAAI,CAAC,WAAW,CAAC,IAAI,CAAC;;AAElC;;ACnED;;AAEG;;;;"}
@@ -1,5 +1,5 @@
1
1
  import * as i0 from '@angular/core';
2
- import { Injectable, inject, NgZone, InjectionToken, INJECTOR, DestroyRef, Injector, runInInjectionContext, ErrorHandler, ɵisPromise as _isPromise, computed, makeEnvironmentProviders, provideEnvironmentInitializer, NgModule, APP_BOOTSTRAP_LISTENER, ApplicationRef, PendingTasks } from '@angular/core';
2
+ import { inject, Injectable, InjectionToken, DestroyRef, NgZone, Injector, runInInjectionContext, ErrorHandler, ɵisPromise as _isPromise, computed, makeEnvironmentProviders, provideEnvironmentInitializer, NgModule, APP_BOOTSTRAP_LISTENER, ApplicationRef, PendingTasks } from '@angular/core';
3
3
  import { config, Observable, Subject, share, forkJoin, map, throwError, shareReplay, filter, take, mergeMap, EMPTY, defaultIfEmpty, catchError, from, isObservable, takeUntil, finalize, distinctUntilChanged, startWith, skip, buffer, debounceTime } from 'rxjs';
4
4
  import { ɵwrapObserverCalls as _wrapObserverCalls, ɵOrderedSubject as _OrderedSubject, ɵStateStream as _StateStream, ɵof as _of, ɵmemoize as _memoize, ɵgetStoreMetadata as _getStoreMetadata, ɵgetSelectorMetadata as _getSelectorMetadata, ɵMETA_KEY as _META_KEY, ɵINITIAL_STATE_TOKEN as _INITIAL_STATE_TOKEN, ɵNgxsAppBootstrappedState as _NgxsAppBootstrappedState, ɵensureStoreMetadata as _ensureStoreMetadata, ɵMETA_OPTIONS_KEY as _META_OPTIONS_KEY, ɵensureSelectorMetadata as _ensureSelectorMetadata, ɵNGXS_STATE_CONTEXT_FACTORY as _NGXS_STATE_CONTEXT_FACTORY, ɵNGXS_STATE_FACTORY as _NGXS_STATE_FACTORY } from '@ngxs/store/internals';
5
5
  export { StateToken } from '@ngxs/store/internals';
@@ -7,159 +7,6 @@ import { NGXS_PLUGINS, getActionTypeFromInstance, InitState, UpdateState, setVal
7
7
  export { InitState, NGXS_PLUGINS, UpdateState, actionMatcher, getActionTypeFromInstance, getValue, setValue } from '@ngxs/store/plugins';
8
8
  import { isStateOperator } from '@ngxs/store/operators';
9
9
 
10
- class NoopNgxsExecutionStrategy {
11
- enter(func) {
12
- return func();
13
- }
14
- leave(func) {
15
- return func();
16
- }
17
- /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NoopNgxsExecutionStrategy, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
18
- /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NoopNgxsExecutionStrategy, providedIn: 'root' }); }
19
- }
20
- i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NoopNgxsExecutionStrategy, decorators: [{
21
- type: Injectable,
22
- args: [{ providedIn: 'root' }]
23
- }] });
24
-
25
- function throwStateNameError(name) {
26
- throw new Error(`${name} is not a valid state name. It needs to be a valid object property name.`);
27
- }
28
- function throwStateNamePropertyError() {
29
- throw new Error(`States must register a 'name' property.`);
30
- }
31
- function throwStateUniqueError(current, newName, oldName) {
32
- throw new Error(`State name '${current}' from ${newName} already exists in ${oldName}.`);
33
- }
34
- function throwStateDecoratorError(name) {
35
- throw new Error(`States must be decorated with @State() decorator, but "${name}" isn't.`);
36
- }
37
- function throwActionDecoratorError() {
38
- throw new Error('@Action() decorator cannot be used with static methods.');
39
- }
40
- function throwSelectorDecoratorError() {
41
- throw new Error('Selectors only work on methods.');
42
- }
43
- function getZoneWarningMessage() {
44
- return ('Your application was bootstrapped with nooped zone and your execution strategy requires an actual NgZone!\n' +
45
- 'Please set the value of the executionStrategy property to NoopNgxsExecutionStrategy.\n' +
46
- 'NgxsModule.forRoot(states, { executionStrategy: NoopNgxsExecutionStrategy })');
47
- }
48
- function getUndecoratedStateWithInjectableWarningMessage(name) {
49
- return `'${name}' class should be decorated with @Injectable() right after the @State() decorator`;
50
- }
51
- function getInvalidInitializationOrderMessage(addedStates) {
52
- let message = 'You have an invalid state initialization order. This typically occurs when `NgxsModule.forFeature`\n' +
53
- 'or `provideStates` is called before `NgxsModule.forRoot` or `provideStore`.\n' +
54
- 'One example is when `NgxsRouterPluginModule.forRoot` is called before `NgxsModule.forRoot`.';
55
- if (addedStates) {
56
- const stateNames = Object.keys(addedStates).map(stateName => `"${stateName}"`);
57
- message +=
58
- '\nFeature states added before the store initialization is complete: ' +
59
- `${stateNames.join(', ')}.`;
60
- }
61
- return message;
62
- }
63
- function throwSelectFactoryNotConnectedError() {
64
- throw new Error('You have forgotten to import the NGXS module!');
65
- }
66
- function throwPatchingArrayError() {
67
- throw new Error('Patching arrays is not supported.');
68
- }
69
- function throwPatchingPrimitiveError() {
70
- throw new Error('Patching primitives is not supported.');
71
- }
72
-
73
- class DispatchOutsideZoneNgxsExecutionStrategy {
74
- constructor() {
75
- this._ngZone = inject(NgZone);
76
- if (typeof ngDevMode !== 'undefined' && ngDevMode) {
77
- verifyZoneIsNotNooped(this._ngZone);
78
- }
79
- }
80
- enter(func) {
81
- if (typeof ngServerMode !== 'undefined' && ngServerMode) {
82
- return this.runInsideAngular(func);
83
- }
84
- return this.runOutsideAngular(func);
85
- }
86
- leave(func) {
87
- return this.runInsideAngular(func);
88
- }
89
- runInsideAngular(func) {
90
- if (NgZone.isInAngularZone()) {
91
- return func();
92
- }
93
- return this._ngZone.run(func);
94
- }
95
- runOutsideAngular(func) {
96
- if (NgZone.isInAngularZone()) {
97
- return this._ngZone.runOutsideAngular(func);
98
- }
99
- return func();
100
- }
101
- /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: DispatchOutsideZoneNgxsExecutionStrategy, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
102
- /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: DispatchOutsideZoneNgxsExecutionStrategy, providedIn: 'root' }); }
103
- }
104
- i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: DispatchOutsideZoneNgxsExecutionStrategy, decorators: [{
105
- type: Injectable,
106
- args: [{ providedIn: 'root' }]
107
- }], ctorParameters: () => [] });
108
- // Caretaker note: this should exist as a separate function and not a class method,
109
- // since class methods are not tree-shakable.
110
- function verifyZoneIsNotNooped(ngZone) {
111
- // `NoopNgZone` is not exposed publicly as it doesn't expect
112
- // to be used outside of the core Angular code, thus we just have
113
- // to check if the zone doesn't extend or instanceof `NgZone`.
114
- if (ngZone instanceof NgZone) {
115
- return;
116
- }
117
- console.warn(getZoneWarningMessage());
118
- }
119
-
120
- /**
121
- * Consumers have the option to utilize the execution strategy provided by
122
- * `NgxsModule.forRoot({executionStrategy})` or `provideStore([], {executionStrategy})`.
123
- */
124
- const CUSTOM_NGXS_EXECUTION_STRATEGY = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'CUSTOM_NGXS_EXECUTION_STRATEGY' : '');
125
- /**
126
- * The injection token is used internally to resolve an instance of the execution
127
- * strategy. It checks whether consumers have provided their own `executionStrategy`
128
- * and also verifies if we are operating in a zone-aware environment.
129
- */
130
- const NGXS_EXECUTION_STRATEGY = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'NGXS_EXECUTION_STRATEGY' : '', {
131
- providedIn: 'root',
132
- factory: () => {
133
- const ngZone = inject(NgZone);
134
- const injector = inject(INJECTOR);
135
- const executionStrategy = injector.get(CUSTOM_NGXS_EXECUTION_STRATEGY);
136
- const isNgZoneEnabled = ngZone instanceof NgZone;
137
- return executionStrategy
138
- ? injector.get(executionStrategy)
139
- : injector.get(isNgZoneEnabled
140
- ? DispatchOutsideZoneNgxsExecutionStrategy
141
- : NoopNgxsExecutionStrategy);
142
- }
143
- });
144
-
145
- class InternalNgxsExecutionStrategy {
146
- constructor() {
147
- this._executionStrategy = inject(NGXS_EXECUTION_STRATEGY);
148
- }
149
- enter(func) {
150
- return this._executionStrategy.enter(func);
151
- }
152
- leave(func) {
153
- return this._executionStrategy.leave(func);
154
- }
155
- /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: InternalNgxsExecutionStrategy, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
156
- /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: InternalNgxsExecutionStrategy, providedIn: 'root' }); }
157
- }
158
- i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: InternalNgxsExecutionStrategy, decorators: [{
159
- type: Injectable,
160
- args: [{ providedIn: 'root' }]
161
- }] });
162
-
163
10
  class PluginManager {
164
11
  constructor() {
165
12
  this.plugins = [];
@@ -271,6 +118,90 @@ function fallbackSubscriber(ngZone) {
271
118
  };
272
119
  }
273
120
 
121
+ // The injection token is used to resolve a list of states provided at
122
+ // the root level through either `NgxsModule.forRoot` or `provideStore`.
123
+ const ROOT_STATE_TOKEN = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'ROOT_STATE_TOKEN' : '');
124
+ // The injection token is used to resolve a list of states provided at
125
+ // the feature level through either `NgxsModule.forFeature` or `provideStates`.
126
+ // The Array<Array> is used to overload the resolved value of the token because
127
+ // it is a multi-provider token.
128
+ const FEATURE_STATE_TOKEN = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'FEATURE_STATE_TOKEN' : '');
129
+ // The injection token is used to resolve to options provided at the root
130
+ // level through either `NgxsModule.forRoot` or `provideStore`.
131
+ const NGXS_OPTIONS = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'NGXS_OPTIONS' : '');
132
+ /**
133
+ * The NGXS config settings.
134
+ */
135
+ class NgxsConfig {
136
+ constructor() {
137
+ this.compatibility = {
138
+ strictContentSecurityPolicy: false
139
+ };
140
+ /**
141
+ * Defining shared selector options
142
+ */
143
+ this.selectorOptions = {
144
+ injectContainerState: false,
145
+ suppressErrors: false
146
+ };
147
+ }
148
+ /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NgxsConfig, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
149
+ /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NgxsConfig, providedIn: 'root', useFactory: () => {
150
+ const defaultConfig = new NgxsConfig();
151
+ const config = inject(NGXS_OPTIONS);
152
+ return {
153
+ ...defaultConfig,
154
+ ...config,
155
+ selectorOptions: {
156
+ ...defaultConfig.selectorOptions,
157
+ ...config.selectorOptions
158
+ }
159
+ };
160
+ } }); }
161
+ }
162
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NgxsConfig, decorators: [{
163
+ type: Injectable,
164
+ args: [{
165
+ providedIn: 'root',
166
+ useFactory: () => {
167
+ const defaultConfig = new NgxsConfig();
168
+ const config = inject(NGXS_OPTIONS);
169
+ return {
170
+ ...defaultConfig,
171
+ ...config,
172
+ selectorOptions: {
173
+ ...defaultConfig.selectorOptions,
174
+ ...config.selectorOptions
175
+ }
176
+ };
177
+ }
178
+ }]
179
+ }] });
180
+ /**
181
+ * Represents a basic change from a previous to a new value for a single state instance.
182
+ * Passed as a value in a NgxsSimpleChanges object to the ngxsOnChanges hook.
183
+ */
184
+ class NgxsSimpleChange {
185
+ constructor(previousValue, currentValue, firstChange) {
186
+ this.previousValue = previousValue;
187
+ this.currentValue = currentValue;
188
+ this.firstChange = firstChange;
189
+ }
190
+ }
191
+
192
+ /**
193
+ * The injection token is used internally to resolve an instance of the execution
194
+ * strategy. It checks whether consumers have provided their own `executionStrategy`
195
+ * and also verifies if we are operating in a zone-aware environment.
196
+ */
197
+ const NGXS_EXECUTION_STRATEGY = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'NGXS_EXECUTION_STRATEGY' : '', {
198
+ providedIn: 'root',
199
+ factory: () => {
200
+ const options = inject(NGXS_OPTIONS);
201
+ return inject(options.executionStrategy);
202
+ }
203
+ });
204
+
274
205
  /**
275
206
  * Internal Action result stream that is emitted when an action is completed.
276
207
  * This is used as a method of returning the action result to the dispatcher
@@ -331,7 +262,7 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImpor
331
262
  class Actions extends Observable {
332
263
  constructor() {
333
264
  const internalActions$ = inject(InternalActions);
334
- const internalExecutionStrategy = inject(InternalNgxsExecutionStrategy);
265
+ const internalExecutionStrategy = inject(NGXS_EXECUTION_STRATEGY);
335
266
  const sharedInternalActions$ = internalActions$.pipe(leaveNgxs(internalExecutionStrategy),
336
267
  // The `InternalActions` subject emits outside of the Angular zone.
337
268
  // We have to re-enter the Angular zone for any incoming consumer.
@@ -362,7 +293,7 @@ class InternalDispatcher {
362
293
  this._actionResults = inject(InternalDispatchedActionResults);
363
294
  this._pluginManager = inject(PluginManager);
364
295
  this._stateStream = inject(_StateStream);
365
- this._ngxsExecutionStrategy = inject(InternalNgxsExecutionStrategy);
296
+ this._ngxsExecutionStrategy = inject(NGXS_EXECUTION_STRATEGY);
366
297
  this._injector = inject(Injector);
367
298
  }
368
299
  /**
@@ -455,89 +386,6 @@ const compose = (injector, funcs) => (...args) => {
455
386
  return runInInjectionContext(injector, () => curr(...args, (...nextArgs) => compose(injector, funcs)(...nextArgs)));
456
387
  };
457
388
 
458
- // The injection token is used to resolve a list of states provided at
459
- // the root level through either `NgxsModule.forRoot` or `provideStore`.
460
- const ROOT_STATE_TOKEN = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'ROOT_STATE_TOKEN' : '');
461
- // The injection token is used to resolve a list of states provided at
462
- // the feature level through either `NgxsModule.forFeature` or `provideStates`.
463
- // The Array<Array> is used to overload the resolved value of the token because
464
- // it is a multi-provider token.
465
- const FEATURE_STATE_TOKEN = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'FEATURE_STATE_TOKEN' : '');
466
- // The injection token is used to resolve to options provided at the root
467
- // level through either `NgxsModule.forRoot` or `provideStore`.
468
- const NGXS_OPTIONS = new InjectionToken(typeof ngDevMode !== 'undefined' && ngDevMode ? 'NGXS_OPTIONS' : '');
469
- /**
470
- * The NGXS config settings.
471
- */
472
- class NgxsConfig {
473
- constructor() {
474
- this.compatibility = {
475
- strictContentSecurityPolicy: false
476
- };
477
- /**
478
- * Determines the execution context to perform async operations inside. An implementation can be
479
- * provided to override the default behaviour where the async operations are run
480
- * outside Angular's zone but all observable behaviours of NGXS are run back inside Angular's zone.
481
- * These observable behaviours are from:
482
- * `store.selectSignal(...)`, `store.select(...)`, `actions.subscribe(...)` or `store.dispatch(...).subscribe(...)`
483
- * Every `zone.run` causes Angular to run change detection on the whole tree (`app.tick()`) so of your
484
- * application doesn't rely on zone.js running change detection then you can switch to the
485
- * `NoopNgxsExecutionStrategy` that doesn't interact with zones.
486
- * (default: null)
487
- */
488
- this.executionStrategy = DispatchOutsideZoneNgxsExecutionStrategy;
489
- /**
490
- * Defining shared selector options
491
- */
492
- this.selectorOptions = {
493
- injectContainerState: false,
494
- suppressErrors: false
495
- };
496
- }
497
- /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NgxsConfig, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
498
- /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NgxsConfig, providedIn: 'root', useFactory: () => {
499
- const defaultConfig = new NgxsConfig();
500
- const config = inject(NGXS_OPTIONS);
501
- return {
502
- ...defaultConfig,
503
- ...config,
504
- selectorOptions: {
505
- ...defaultConfig.selectorOptions,
506
- ...config.selectorOptions
507
- }
508
- };
509
- } }); }
510
- }
511
- i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NgxsConfig, decorators: [{
512
- type: Injectable,
513
- args: [{
514
- providedIn: 'root',
515
- useFactory: () => {
516
- const defaultConfig = new NgxsConfig();
517
- const config = inject(NGXS_OPTIONS);
518
- return {
519
- ...defaultConfig,
520
- ...config,
521
- selectorOptions: {
522
- ...defaultConfig.selectorOptions,
523
- ...config.selectorOptions
524
- }
525
- };
526
- }
527
- }]
528
- }] });
529
- /**
530
- * Represents a basic change from a previous to a new value for a single state instance.
531
- * Passed as a value in a NgxsSimpleChanges object to the ngxsOnChanges hook.
532
- */
533
- class NgxsSimpleChange {
534
- constructor(previousValue, currentValue, firstChange) {
535
- this.previousValue = previousValue;
536
- this.currentValue = currentValue;
537
- this.firstChange = firstChange;
538
- }
539
- }
540
-
541
389
  /**
542
390
  * Object freeze code
543
391
  * https://github.com/jsdf/deep-freeze
@@ -938,6 +786,54 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImpor
938
786
  args: [{ providedIn: 'root' }]
939
787
  }], ctorParameters: () => [] });
940
788
 
789
+ function throwStateNameError(name) {
790
+ throw new Error(`${name} is not a valid state name. It needs to be a valid object property name.`);
791
+ }
792
+ function throwStateNamePropertyError() {
793
+ throw new Error(`States must register a 'name' property.`);
794
+ }
795
+ function throwStateUniqueError(current, newName, oldName) {
796
+ throw new Error(`State name '${current}' from ${newName} already exists in ${oldName}.`);
797
+ }
798
+ function throwStateDecoratorError(name) {
799
+ throw new Error(`States must be decorated with @State() decorator, but "${name}" isn't.`);
800
+ }
801
+ function throwActionDecoratorError() {
802
+ throw new Error('@Action() decorator cannot be used with static methods.');
803
+ }
804
+ function throwSelectorDecoratorError() {
805
+ throw new Error('Selectors only work on methods.');
806
+ }
807
+ function getZoneWarningMessage() {
808
+ return ('Your application was bootstrapped with nooped zone and your execution strategy requires an actual NgZone!\n' +
809
+ 'Please set the value of the executionStrategy property to NoopNgxsExecutionStrategy.\n' +
810
+ 'NgxsModule.forRoot(states, { executionStrategy: NoopNgxsExecutionStrategy })');
811
+ }
812
+ function getUndecoratedStateWithInjectableWarningMessage(name) {
813
+ return `'${name}' class should be decorated with @Injectable() right after the @State() decorator`;
814
+ }
815
+ function getInvalidInitializationOrderMessage(addedStates) {
816
+ let message = 'You have an invalid state initialization order. This typically occurs when `NgxsModule.forFeature`\n' +
817
+ 'or `provideStates` is called before `NgxsModule.forRoot` or `provideStore`.\n' +
818
+ 'One example is when `NgxsRouterPluginModule.forRoot` is called before `NgxsModule.forRoot`.';
819
+ if (addedStates) {
820
+ const stateNames = Object.keys(addedStates).map(stateName => `"${stateName}"`);
821
+ message +=
822
+ '\nFeature states added before the store initialization is complete: ' +
823
+ `${stateNames.join(', ')}.`;
824
+ }
825
+ return message;
826
+ }
827
+ function throwSelectFactoryNotConnectedError() {
828
+ throw new Error('You have forgotten to import the NGXS module!');
829
+ }
830
+ function throwPatchingArrayError() {
831
+ throw new Error('Patching arrays is not supported.');
832
+ }
833
+ function throwPatchingPrimitiveError() {
834
+ throw new Error('Patching primitives is not supported.');
835
+ }
836
+
941
837
  const stateNameRegex = /* @__PURE__ */ new RegExp('^[a-zA-Z0-9_]+$');
942
838
  function ensureStateNameIsValid(name) {
943
839
  if (!name) {
@@ -1535,7 +1431,7 @@ class Store {
1535
1431
  this._stateStream = inject(_StateStream);
1536
1432
  this._internalStateOperations = inject(InternalStateOperations);
1537
1433
  this._config = inject(NgxsConfig);
1538
- this._internalExecutionStrategy = inject(InternalNgxsExecutionStrategy);
1434
+ this._internalExecutionStrategy = inject(NGXS_EXECUTION_STRATEGY);
1539
1435
  this._stateFactory = inject(StateFactory);
1540
1436
  /**
1541
1437
  * This is a derived state stream that leaves NGXS execution strategy to emit state changes within the Angular zone,
@@ -1919,10 +1815,6 @@ function getRootProviders(states, options) {
1919
1815
  {
1920
1816
  provide: NGXS_OPTIONS,
1921
1817
  useValue: options
1922
- },
1923
- {
1924
- provide: CUSTOM_NGXS_EXECUTION_STRATEGY,
1925
- useValue: options.executionStrategy
1926
1818
  }
1927
1819
  ];
1928
1820
  }
@@ -1944,7 +1836,7 @@ function getFeatureProviders(states) {
1944
1836
  }
1945
1837
 
1946
1838
  class NgxsModule {
1947
- static forRoot(states = [], options = {}) {
1839
+ static forRoot(states = [], options) {
1948
1840
  return {
1949
1841
  ngModule: NgxsRootModule,
1950
1842
  providers: getRootProviders(states, options)
@@ -2168,6 +2060,68 @@ function Selector(selectors) {
2168
2060
  };
2169
2061
  }
2170
2062
 
2063
+ class DispatchOutsideZoneNgxsExecutionStrategy {
2064
+ constructor() {
2065
+ this._ngZone = inject(NgZone);
2066
+ if (typeof ngDevMode !== 'undefined' && ngDevMode) {
2067
+ verifyZoneIsNotNooped(this._ngZone);
2068
+ }
2069
+ }
2070
+ enter(func) {
2071
+ if (typeof ngServerMode !== 'undefined' && ngServerMode) {
2072
+ return this.runInsideAngular(func);
2073
+ }
2074
+ return this.runOutsideAngular(func);
2075
+ }
2076
+ leave(func) {
2077
+ return this.runInsideAngular(func);
2078
+ }
2079
+ runInsideAngular(func) {
2080
+ if (NgZone.isInAngularZone()) {
2081
+ return func();
2082
+ }
2083
+ return this._ngZone.run(func);
2084
+ }
2085
+ runOutsideAngular(func) {
2086
+ if (NgZone.isInAngularZone()) {
2087
+ return this._ngZone.runOutsideAngular(func);
2088
+ }
2089
+ return func();
2090
+ }
2091
+ /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: DispatchOutsideZoneNgxsExecutionStrategy, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
2092
+ /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: DispatchOutsideZoneNgxsExecutionStrategy, providedIn: 'root' }); }
2093
+ }
2094
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: DispatchOutsideZoneNgxsExecutionStrategy, decorators: [{
2095
+ type: Injectable,
2096
+ args: [{ providedIn: 'root' }]
2097
+ }], ctorParameters: () => [] });
2098
+ // Caretaker note: this should exist as a separate function and not a class method,
2099
+ // since class methods are not tree-shakable.
2100
+ function verifyZoneIsNotNooped(ngZone) {
2101
+ // `NoopNgZone` is not exposed publicly as it doesn't expect
2102
+ // to be used outside of the core Angular code, thus we just have
2103
+ // to check if the zone doesn't extend or instanceof `NgZone`.
2104
+ if (ngZone instanceof NgZone) {
2105
+ return;
2106
+ }
2107
+ console.warn(getZoneWarningMessage());
2108
+ }
2109
+
2110
+ class NoopNgxsExecutionStrategy {
2111
+ enter(func) {
2112
+ return func();
2113
+ }
2114
+ leave(func) {
2115
+ return func();
2116
+ }
2117
+ /** @nocollapse */ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NoopNgxsExecutionStrategy, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
2118
+ /** @nocollapse */ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NoopNgxsExecutionStrategy, providedIn: 'root' }); }
2119
+ }
2120
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.0.0", ngImport: i0, type: NoopNgxsExecutionStrategy, decorators: [{
2121
+ type: Injectable,
2122
+ args: [{ providedIn: 'root' }]
2123
+ }] });
2124
+
2171
2125
  class NgxsDevelopmentModule {
2172
2126
  static forRoot(options) {
2173
2127
  return {
@@ -2363,28 +2317,30 @@ function withNgxsPendingTasks() {
2363
2317
  });
2364
2318
  }
2365
2319
 
2366
- function provideStore(states = [], ...optionsAndFeatures) {
2367
- const features = [];
2368
- // Options are empty by default (see `forRoot`).
2369
- let options = {};
2370
- if (optionsAndFeatures.length > 0) {
2371
- if (isEnvironmentProvider(optionsAndFeatures[0])) {
2372
- features.push(...optionsAndFeatures);
2373
- }
2374
- else {
2375
- options = optionsAndFeatures[0];
2376
- features.push(...optionsAndFeatures.slice(1));
2377
- }
2378
- }
2320
+ /**
2321
+ * This function provides global store providers and initializes the store.
2322
+ *
2323
+ * ```ts
2324
+ * bootstrapApplication(AppComponent, {
2325
+ * providers: [provideStore([CountriesState])]
2326
+ * });
2327
+ * ```
2328
+ *
2329
+ * The `provideStore` may be optionally called with a config before the list of features:
2330
+ *
2331
+ * ```ts
2332
+ * provideStore([CountriesState], {
2333
+ * developmentMode: !environment.production
2334
+ * });
2335
+ * ```
2336
+ */
2337
+ function provideStore(states = [], options, ...features) {
2379
2338
  return makeEnvironmentProviders([
2380
2339
  ...getRootProviders(states, options),
2381
2340
  NGXS_ROOT_ENVIRONMENT_INITIALIZER,
2382
2341
  features
2383
2342
  ]);
2384
2343
  }
2385
- function isEnvironmentProvider(target) {
2386
- return !!target.ɵproviders;
2387
- }
2388
2344
 
2389
2345
  /**
2390
2346
  * This version serves as a standalone alternative to `NgxsModule.forFeature`.
@@ -2502,5 +2458,5 @@ function ɵprovideNgxsInternalStateTokens() {
2502
2458
  * Generated bundle index. Do not edit.
2503
2459
  */
2504
2460
 
2505
- export { Action, Actions, NgxsConfig, NgxsDevelopmentModule, NgxsModule, NgxsSimpleChange, NgxsUnhandledActionsLogger, NgxsUnhandledErrorHandler, NoopNgxsExecutionStrategy, Select, Selector, SelectorOptions, State, Store, createDispatchMap, createModelSelector, createPickSelector, createPropertySelectors, createSelectMap, createSelector, dispatch, ofAction, ofActionCanceled, ofActionCompleted, ofActionDispatched, ofActionErrored, ofActionSuccessful, provideStates, provideStore, select, withNgxsDevelopmentOptions, withNgxsPendingTasks, withNgxsPlugin, withNgxsPreboot, NgxsFeatureModule as ɵNgxsFeatureModule, NgxsRootModule as ɵNgxsRootModule, ɵprovideNgxsInternalStateTokens };
2461
+ export { Action, Actions, DispatchOutsideZoneNgxsExecutionStrategy, NgxsConfig, NgxsDevelopmentModule, NgxsModule, NgxsSimpleChange, NgxsUnhandledActionsLogger, NgxsUnhandledErrorHandler, NoopNgxsExecutionStrategy, Select, Selector, SelectorOptions, State, Store, createDispatchMap, createModelSelector, createPickSelector, createPropertySelectors, createSelectMap, createSelector, dispatch, ofAction, ofActionCanceled, ofActionCompleted, ofActionDispatched, ofActionErrored, ofActionSuccessful, provideStates, provideStore, select, withNgxsDevelopmentOptions, withNgxsPendingTasks, withNgxsPlugin, withNgxsPreboot, NgxsFeatureModule as ɵNgxsFeatureModule, NgxsRootModule as ɵNgxsRootModule, ɵprovideNgxsInternalStateTokens };
2506
2462
  //# sourceMappingURL=ngxs-store.mjs.map