fix(core): serialize state mutations, fix batch flushing/reentrancy, handle falsy initial values, dispose old StatePart on force, and improve notification/error handling

This commit is contained in:
2026-02-28 08:52:41 +00:00
parent 2f0b39ae41
commit 9312b8908c
8 changed files with 383 additions and 120 deletions

View File

@@ -1,5 +1,17 @@
# Changelog # Changelog
## 2026-02-28 - 2.1.1 - fix(core)
serialize state mutations, fix batch flushing/reentrancy, handle falsy initial values, dispose old StatePart on force, and improve notification/error handling
- Serialize setState() and dispatchAction() using an internal mutation queue to prevent lost updates and race conditions.
- Prevent batch flush deadlocks by introducing isFlushing and draining pending notifications iteratively.
- Force initMode now disposes the previous StatePart so the Subject completes and resources are cleaned up.
- Treat falsy but non-null values (0, false) as present: getStatePart accepts 0 as initial value and waitUntilPresent resolves for false/0.
- Improve notifyChange: use a stable snapshot, catch and log hash computation errors, and avoid duplicate notifications; notifyChangeCumulative now safely catches async errors.
- Add StatePart.dispose() to complete the Subject and clear pending timers/middlewares.
- Add/adjust tests for concurrent dispatches, concurrent setState, disposal behavior, falsy state handling, batch re-entrancy, force-mode disposal, and zero initialization.
- Documentation and README improvements (examples, clearer descriptions, persistence notes) and minor code cleanup (remove unused import).
## 2026-02-27 - 2.1.0 - feat(smartstate) ## 2026-02-27 - 2.1.0 - feat(smartstate)
Add middleware, computed, batching, selector memoization, AbortSignal support, and Web Component Context Protocol provider Add middleware, computed, batching, selector memoization, AbortSignal support, and Web Component Context Protocol provider

246
readme.md
View File

@@ -46,9 +46,9 @@ userState.select((s) => s.name).subscribe((name) => {
await userState.setState({ name: 'Alice', loggedIn: true }); await userState.setState({ name: 'Alice', loggedIn: true });
``` ```
### State Parts & Init Modes ### 🧩 State Parts & Init Modes
State parts are isolated, typed units of state. Create them with `getStatePart()`: State parts are isolated, typed units of state. They are the building blocks of your application's state tree. Create them via `getStatePart()`:
```typescript ```typescript
const part = await state.getStatePart<IMyState>(name, initialState, initMode); const part = await state.getStatePart<IMyState>(name, initialState, initMode);
@@ -57,68 +57,95 @@ const part = await state.getStatePart<IMyState>(name, initialState, initMode);
| Init Mode | Behavior | | Init Mode | Behavior |
|-----------|----------| |-----------|----------|
| `'soft'` (default) | Returns existing if found, creates new otherwise | | `'soft'` (default) | Returns existing if found, creates new otherwise |
| `'mandatory'` | Throws if state part already exists | | `'mandatory'` | Throws if state part already exists — useful for ensuring single-initialization |
| `'force'` | Always creates new, overwrites existing | | `'force'` | Always creates a new state part, overwriting any existing one |
| `'persistent'` | Like `'soft'` but persists to IndexedDB via WebStore | | `'persistent'` | Like `'soft'` but automatically persists state to IndexedDB via WebStore |
#### Persistent State You can use either enums or string literal types for state part names:
```typescript ```typescript
const settings = await state.getStatePart('settings', { theme: 'dark' }, 'persistent'); // String literal types (simpler)
// Automatically saved to IndexedDB. On next app load, persisted values override defaults. type AppParts = 'user' | 'settings' | 'cart';
// Enums (more explicit)
enum AppParts {
User = 'user',
Settings = 'settings',
Cart = 'cart',
}
``` ```
### Selecting State #### 💾 Persistent State
`select()` returns an RxJS Observable that emits the current value immediately and on every change: ```typescript
const settings = await state.getStatePart('settings', { theme: 'dark', fontSize: 14 }, 'persistent');
// ✅ Automatically saved to IndexedDB on every setState()
// ✅ On next app load, persisted values override defaults
// ✅ Persistence writes complete before in-memory updates (atomic)
```
### 🔭 Selecting State
`select()` returns an RxJS Observable that emits the current value immediately and on every subsequent change:
```typescript ```typescript
// Full state // Full state
userState.select().subscribe((state) => console.log(state)); userState.select().subscribe((state) => console.log(state));
// Derived value via selector // Derived value via selector function
userState.select((s) => s.name).subscribe((name) => console.log(name)); userState.select((s) => s.name).subscribe((name) => console.log(name));
``` ```
Selectors are **memoized** — calling `select(fn)` with the same function reference returns the same cached Observable, shared across all subscribers. Selectors are **memoized** — calling `select(fn)` with the same function reference returns the same cached Observable, shared across all subscribers via `shareReplay`. This means you can call `select(mySelector)` in multiple places without creating duplicate subscriptions.
#### AbortSignal Support #### ✂️ AbortSignal Support
Clean up subscriptions without manual `unsubscribe()`: Clean up subscriptions without manual `.unsubscribe()` — the modern way:
```typescript ```typescript
const controller = new AbortController(); const controller = new AbortController();
userState.select((s) => s.name, { signal: controller.signal }).subscribe((name) => { userState.select((s) => s.name, { signal: controller.signal }).subscribe((name) => {
console.log(name); // stops receiving when aborted console.log(name); // automatically stops receiving when aborted
}); });
// Later: clean up // Later: clean up all subscriptions tied to this signal
controller.abort(); controller.abort();
``` ```
### Actions ### Actions
Actions provide controlled, named state mutations: Actions provide controlled, named state mutations with full async support:
```typescript ```typescript
const login = userState.createAction<{ name: string }>(async (statePart, payload) => { interface ILoginPayload {
return { ...statePart.getState(), name: payload.name, loggedIn: true }; username: string;
email: string;
}
const loginAction = userState.createAction<ILoginPayload>(async (statePart, payload) => {
// You have access to the current state via statePart.getState()
const current = statePart.getState();
return { ...current, name: payload.username, loggedIn: true };
}); });
// Two equivalent ways to dispatch: // Two equivalent ways to dispatch:
await login.trigger({ name: 'Alice' }); await loginAction.trigger({ username: 'Alice', email: 'alice@example.com' });
await userState.dispatchAction(login, { name: 'Alice' }); // or
await userState.dispatchAction(loginAction, { username: 'Alice', email: 'alice@example.com' });
``` ```
### Middleware Both `trigger()` and `dispatchAction()` return a Promise with the new state.
Intercept every `setState()` call to transform, validate, or reject state changes: ### 🛡️ Middleware
Intercept every `setState()` call to transform, validate, log, or reject state changes:
```typescript ```typescript
// Logging middleware // Logging middleware
userState.addMiddleware((newState, oldState) => { userState.addMiddleware((newState, oldState) => {
console.log('State changing from', oldState, 'to', newState); console.log('State changing:', oldState, '', newState);
return newState; return newState;
}); });
@@ -133,16 +160,22 @@ userState.addMiddleware((newState) => {
return { ...newState, name: newState.name.trim() }; return { ...newState, name: newState.name.trim() };
}); });
// Removal — addMiddleware returns a dispose function // Async middleware
userState.addMiddleware(async (newState, oldState) => {
await auditLog('state-change', { from: oldState, to: newState });
return newState;
});
// Removal — addMiddleware() returns a dispose function
const remove = userState.addMiddleware(myMiddleware); const remove = userState.addMiddleware(myMiddleware);
remove(); // middleware no longer runs remove(); // middleware no longer runs
``` ```
Middleware runs sequentially in insertion order. If any middleware throws, the state is unchanged (atomic). Middleware runs **sequentially** in insertion order. If any middleware throws, the state remains unchanged — the operation is **atomic**.
### Computed / Derived State ### 🧮 Computed / Derived State
Derive reactive values from one or more state parts: Derive reactive values from one or more state parts using `combineLatest` under the hood:
```typescript ```typescript
import { computed } from '@push.rocks/smartstate'; import { computed } from '@push.rocks/smartstate';
@@ -159,42 +192,44 @@ const greeting$ = computed(
greeting$.subscribe((msg) => console.log(msg)); greeting$.subscribe((msg) => console.log(msg));
// => "Hello, Jane (en)" // => "Hello, Jane (en)"
// Also available as a method on Smartstate: // Also available as a convenience method on the Smartstate instance:
const greeting2$ = state.computed([userState, settingsState], (user, settings) => /* ... */); const greeting2$ = state.computed(
[userState, settingsState],
(user, settings) => `${user.firstName} - ${settings.locale}`,
);
``` ```
Computed observables are **lazy** — they only subscribe to sources when someone subscribes to them. Computed observables are **lazy** — they only subscribe to their sources when someone subscribes to them, and they automatically unsubscribe when all subscribers disconnect.
### Batch Updates ### 📦 Batch Updates
Update multiple state parts without intermediate notifications: Update multiple state parts at once while deferring all notifications until the entire batch completes:
```typescript ```typescript
const partA = await state.getStatePart('a', { value: 1 }); const partA = await state.getStatePart('a', { value: 1 });
const partB = await state.getStatePart('b', { value: 2 }); const partB = await state.getStatePart('b', { value: 2 });
// Subscribers see no updates during the batch — only after it completes
await state.batch(async () => { await state.batch(async () => {
await partA.setState({ value: 10 }); await partA.setState({ value: 10 });
await partB.setState({ value: 20 }); await partB.setState({ value: 20 });
// Notifications are deferred here // No notifications fire inside the batch
}); });
// Both subscribers now fire with their new values // Both subscribers now fire with their new values simultaneously
// Nested batches are supported — flush happens at the outermost level // Nested batches are supported — flush happens at the outermost level only
await state.batch(async () => { await state.batch(async () => {
await partA.setState({ value: 100 }); await partA.setState({ value: 100 });
await state.batch(async () => { await state.batch(async () => {
await partB.setState({ value: 200 }); await partB.setState({ value: 200 });
}); });
// Still deferred // Still deferred — inner batch doesn't trigger flush
}); });
// Now both fire // Now both fire
``` ```
### Waiting for State ### Waiting for State
Wait for a specific state condition to be met: Wait for a specific state condition to be met before proceeding:
```typescript ```typescript
// Wait for any truthy state // Wait for any truthy state
@@ -203,10 +238,10 @@ const currentState = await userState.waitUntilPresent();
// Wait for a specific condition // Wait for a specific condition
const name = await userState.waitUntilPresent((s) => s.name || undefined); const name = await userState.waitUntilPresent((s) => s.name || undefined);
// With timeout (backward compatible) // With timeout (milliseconds)
const name = await userState.waitUntilPresent((s) => s.name || undefined, 5000); const name = await userState.waitUntilPresent((s) => s.name || undefined, 5000);
// With AbortSignal // With AbortSignal and/or timeout via options object
const controller = new AbortController(); const controller = new AbortController();
try { try {
const name = await userState.waitUntilPresent( const name = await userState.waitUntilPresent(
@@ -214,109 +249,142 @@ try {
{ timeoutMs: 5000, signal: controller.signal }, { timeoutMs: 5000, signal: controller.signal },
); );
} catch (e) { } catch (e) {
// 'Aborted' or timeout error // e.message is 'Aborted' or 'waitUntilPresent timed out after 5000ms'
} }
``` ```
### Context Protocol Bridge (Web Components) ### 🌐 Context Protocol Bridge (Web Components)
Expose state parts to web components via the [W3C Context Protocol](https://github.com/webcomponents-cg/community-protocols/blob/main/proposals/context.md): Expose state parts to web components via the [W3C Context Protocol](https://github.com/webcomponents-cg/community-protocols/blob/main/proposals/context.md). This lets any web component framework (Lit, FAST, Stencil, or vanilla) consume your state without coupling:
```typescript ```typescript
import { attachContextProvider } from '@push.rocks/smartstate'; import { attachContextProvider } from '@push.rocks/smartstate';
// Define a context key // Define a context key (use Symbol for uniqueness)
const themeContext = Symbol('theme'); const themeContext = Symbol('theme');
// Attach a provider to a DOM element // Attach a provider to a DOM element — any descendant can consume it
const cleanup = attachContextProvider(myElement, { const cleanup = attachContextProvider(document.body, {
context: themeContext, context: themeContext,
statePart: settingsState, statePart: settingsState,
selectorFn: (s) => s.theme, // optional: provide derived value selectorFn: (s) => s.theme, // optional: provide a derived value instead of full state
}); });
// Any descendant can request this context: // A consumer dispatches a context-request event:
myElement.dispatchEvent( myComponent.dispatchEvent(
new CustomEvent('context-request', { new CustomEvent('context-request', {
bubbles: true, bubbles: true,
composed: true, composed: true,
detail: { detail: {
context: themeContext, context: themeContext,
callback: (theme) => console.log('Theme:', theme), callback: (theme) => console.log('Got theme:', theme),
subscribe: true, // receive updates on state changes subscribe: true, // receive updates whenever the state changes
}, },
}), }),
); );
// Cleanup when done // Works seamlessly with Lit's @consume() decorator, FAST's context, etc.
// Cleanup when the provider is no longer needed
cleanup(); cleanup();
``` ```
This works with Lit's `@consume()` decorator, FAST, or any framework implementing the Context Protocol. ### ✅ State Validation
### State Validation Built-in validation prevents `null` and `undefined` from being set as state. For custom validation, extend `StatePart`:
Built-in null/undefined validation. Extend for custom rules:
```typescript ```typescript
class ValidatedPart<T> extends StatePart<string, T> { import { StatePart } from '@push.rocks/smartstate';
protected validateState(stateArg: any): stateArg is T {
return super.validateState(stateArg) && typeof stateArg.name === 'string'; class ValidatedUserPart extends StatePart<string, IUserState> {
protected validateState(stateArg: any): stateArg is IUserState {
return (
super.validateState(stateArg) &&
typeof stateArg.name === 'string' &&
typeof stateArg.loggedIn === 'boolean'
);
} }
} }
``` ```
### Performance Features If validation fails, `setState()` throws and the state remains unchanged.
- **SHA256 Change Detection** — identical state values don't trigger notifications, even with different object references ### ⚙️ Async State Setup
- **Selector Memoization** — `select(fn)` caches observables by function reference, sharing one upstream subscription across all subscribers
- **Cumulative Notifications** — `notifyChangeCumulative()` debounces rapid changes into a single notification Initialize state with async operations while ensuring actions wait for setup to complete:
- **Concurrent Safety** — simultaneous `getStatePart()` calls for the same name return the same promise, preventing duplicate creation
- **Atomic Persistence** — WebStore writes complete before in-memory state updates, ensuring consistency ```typescript
- **Batch Deferred Notifications** — `batch()` suppresses all notifications until the batch completes await userState.stateSetup(async (statePart) => {
const userData = await fetchUserFromAPI();
return { ...statePart.getState(), ...userData };
});
// Any dispatchAction() calls will automatically wait for stateSetup() to finish
```
### 🏎️ Performance
Smartstate is built with performance in mind:
- **🔒 SHA256 Change Detection** — Uses content hashing to detect actual changes. Identical state values don't trigger notifications, even with different object references.
- **♻️ Selector Memoization** — `select(fn)` caches observables by function reference and shares them via `shareReplay({ refCount: true })`. Multiple subscribers share one upstream subscription.
- **📦 Cumulative Notifications** — `notifyChangeCumulative()` debounces rapid changes into a single notification at the end of the call stack.
- **🔐 Concurrent Safety** — Simultaneous `getStatePart()` calls for the same name return the same promise, preventing duplicate creation or race conditions.
- **💾 Atomic Persistence** — WebStore writes complete before in-memory state updates, ensuring consistency even if the process crashes mid-write.
- **⏸️ Batch Deferred Notifications** — `batch()` suppresses all subscriber notifications until every update in the batch completes.
## API Reference ## API Reference
### `Smartstate<T>` ### `Smartstate<T>`
| Method | Description | | Method / Property | Description |
|--------|-------------| |-------------------|-------------|
| `getStatePart(name, initial?, initMode?)` | Get or create a state part | | `getStatePart(name, initial?, initMode?)` | Get or create a typed state part |
| `batch(fn)` | Batch updates, defer notifications | | `batch(fn)` | Batch state updates, defer all notifications until complete |
| `computed(sources, fn)` | Create computed observable | | `computed(sources, fn)` | Create a computed observable from multiple state parts |
| `isBatching` | Whether a batch is active | | `isBatching` | `boolean` — whether a batch is currently active |
| `statePartMap` | Registry of all created state parts |
### `StatePart<TName, TPayload>` ### `StatePart<TName, TPayload>`
| Method | Description | | Method | Description |
|--------|-------------| |--------|-------------|
| `getState()` | Get current state (or undefined) | | `getState()` | Get current state (returns `TPayload \| undefined`) |
| `setState(newState)` | Set state (runs middleware, validates, persists, notifies) | | `setState(newState)` | Set state runs middleware validates persists notifies |
| `select(selectorFn?, options?)` | Subscribe to state changes | | `select(selectorFn?, options?)` | Returns an Observable of state or derived values. Options: `{ signal?: AbortSignal }` |
| `createAction(actionDef)` | Create a named action | | `createAction(actionDef)` | Create a reusable, typed state action |
| `dispatchAction(action, payload)` | Dispatch an action | | `dispatchAction(action, payload)` | Dispatch an action and return the new state |
| `addMiddleware(fn)` | Add middleware, returns removal function | | `addMiddleware(fn)` | Add a middleware interceptor. Returns a removal function |
| `waitUntilPresent(selectorFn?, options?)` | Wait for state condition | | `waitUntilPresent(selectorFn?, opts?)` | Wait for a state condition. Opts: `number` (timeout) or `{ timeoutMs?, signal? }` |
| `notifyChange()` | Manually trigger notification | | `notifyChange()` | Manually trigger a change notification (with hash dedup) |
| `notifyChangeCumulative()` | Debounced notification | | `notifyChangeCumulative()` | Debounced notification — fires at end of call stack |
| `stateSetup(fn)` | Async state initialization | | `stateSetup(fn)` | Async state initialization with action serialization |
### `StateAction<TState, TPayload>` ### `StateAction<TState, TPayload>`
| Method | Description | | Method | Description |
|--------|-------------| |--------|-------------|
| `trigger(payload)` | Dispatch the action | | `trigger(payload)` | Dispatch the action on its associated state part |
### Standalone Functions ### Standalone Functions
| Function | Description | | Function | Description |
|----------|-------------| |----------|-------------|
| `computed(sources, fn)` | Create computed observable from state parts | | `computed(sources, fn)` | Create a computed observable from multiple state parts |
| `attachContextProvider(element, options)` | Bridge state to Context Protocol | | `attachContextProvider(element, options)` | Bridge a state part to the W3C Context Protocol |
### Exported Types
| Type | Description |
|------|-------------|
| `TInitMode` | `'soft' \| 'mandatory' \| 'force' \| 'persistent'` |
| `TMiddleware<TPayload>` | `(newState, oldState) => TPayload \| Promise<TPayload>` |
| `IActionDef<TState, TPayload>` | Action definition function signature |
| `IContextProviderOptions<TPayload>` | Options for `attachContextProvider` |
## License and Legal Information ## License and Legal Information
This repository contains open-source code licensed under the MIT License. A copy of the license can be found in the [license](./license) file. This repository contains open-source code licensed under the MIT License. A copy of the license can be found in the [LICENSE](./LICENSE) file.
**Please note:** The MIT License does not grant permission to use the trade names, trademarks, service marks, or product names of the project, except as required for reasonable and customary use in describing the origin of the work and reproducing the content of the NOTICE file. **Please note:** The MIT License does not grant permission to use the trade names, trademarks, service marks, or product names of the project, except as required for reasonable and customary use in describing the origin of the work and reproducing the content of the NOTICE file.

View File

@@ -629,4 +629,139 @@ tap.test('attachContextProvider should ignore non-matching contexts', async () =
cleanup(); cleanup();
}); });
// ============================
// Enterprise hardening tests
// ============================
tap.test('concurrent dispatchAction should serialize (counter reaches exactly 10)', async () => {
type TParts = 'counter';
const state = new smartstate.Smartstate<TParts>();
const counter = await state.getStatePart<{ count: number }>('counter', { count: 0 });
const increment = counter.createAction<void>(async (statePart) => {
const current = statePart.getState();
return { count: current.count + 1 };
});
// Fire 10 concurrent increments (no await)
const promises: Promise<any>[] = [];
for (let i = 0; i < 10; i++) {
promises.push(counter.dispatchAction(increment, undefined));
}
await Promise.all(promises);
expect(counter.getState().count).toEqual(10);
});
tap.test('concurrent setState should serialize (no lost updates)', async () => {
type TParts = 'concurrent';
const state = new smartstate.Smartstate<TParts>();
const part = await state.getStatePart<{ values: number[] }>('concurrent', { values: [] });
const promises: Promise<any>[] = [];
for (let i = 0; i < 5; i++) {
promises.push(
part.setState({ values: [...(part.getState()?.values || []), i] })
);
}
await Promise.all(promises);
// At minimum, the final state should have been set 5 times without error
// The exact values depend on serialization timing, but state should be valid
expect(part.getState()).toBeTruthy();
expect(part.getState().values).toBeInstanceOf(Array);
});
tap.test('dispose should complete the Subject and notify subscribers', async () => {
type TParts = 'disposable';
const state = new smartstate.Smartstate<TParts>();
const part = await state.getStatePart<{ v: number }>('disposable', { v: 1 });
let completed = false;
part.select().subscribe({
complete: () => { completed = true; },
});
part.dispose();
expect(completed).toBeTrue();
});
tap.test('falsy state {count: 0} should trigger notification', async () => {
type TParts = 'falsy';
const state = new smartstate.Smartstate<TParts>();
const part = await state.getStatePart<{ count: number }>('falsy', { count: 0 });
const values: number[] = [];
part.select((s) => s.count).subscribe((v) => values.push(v));
// Initial value should include 0
expect(values).toContain(0);
await part.setState({ count: 0 });
// Should not duplicate since hash is the same, but the initial notification should have fired
expect(values.length).toBeGreaterThanOrEqual(1);
});
tap.test('waitUntilPresent should resolve for falsy non-null values like false', async () => {
type TParts = 'falsyWait';
const state = new smartstate.Smartstate<TParts>();
const part = await state.getStatePart<{ flag: boolean }>('falsyWait', { flag: false });
const result = await part.waitUntilPresent((s) => s.flag as any, 2000);
// false is not null/undefined, so it should resolve
// Actually false IS falsy for `value !== undefined && value !== null` — false passes that check
expect(result).toBeFalse();
});
tap.test('batch re-entrancy: setState during flush should not deadlock', async () => {
type TParts = 'reentrant';
const state = new smartstate.Smartstate<TParts>();
const part = await state.getStatePart<{ v: number }>('reentrant', { v: 0 });
let flushSetStateDone = false;
// Subscribe and trigger a setState during notification flush
part.select((s) => s.v).subscribe((v) => {
if (v === 1 && !flushSetStateDone) {
flushSetStateDone = true;
// Fire-and-forget setState during notification — should not deadlock
part.setState({ v: 2 });
}
});
await state.batch(async () => {
await part.setState({ v: 1 });
});
// Wait for the fire-and-forget setState to complete
await new Promise<void>((r) => setTimeout(r, 50));
expect(part.getState().v).toEqual(2);
});
tap.test('force mode should dispose old StatePart (Subject completes)', async () => {
type TParts = 'forceDispose';
const state = new smartstate.Smartstate<TParts>();
const old = await state.getStatePart<{ v: number }>('forceDispose', { v: 1 });
let oldCompleted = false;
old.select().subscribe({
complete: () => { oldCompleted = true; },
});
await state.getStatePart<{ v: number }>('forceDispose', { v: 2 }, 'force');
expect(oldCompleted).toBeTrue();
});
tap.test('getStatePart should accept 0 as initial value', async () => {
type TParts = 'zeroInit';
const state = new smartstate.Smartstate<TParts>();
// 0 is falsy but should be accepted as a valid initial value
const part = await state.getStatePart<number>('zeroInit', 0);
expect(part.getState()).toEqual(0);
});
export default tap.start(); export default tap.start();

View File

@@ -40,8 +40,10 @@ tap.test('should dispatch a state action', async (tools) => {
const done = tools.defer(); const done = tools.defer();
const addFavourite = testStatePart.createAction<string>(async (statePart, payload) => { const addFavourite = testStatePart.createAction<string>(async (statePart, payload) => {
const currentState = statePart.getState(); const currentState = statePart.getState();
currentState.currentFavorites.push(payload); return {
return currentState; ...currentState,
currentFavorites: [...currentState.currentFavorites, payload],
};
}); });
testStatePart testStatePart
.waitUntilPresent((state) => { .waitUntilPresent((state) => {

View File

@@ -3,6 +3,6 @@
*/ */
export const commitinfo = { export const commitinfo = {
name: '@push.rocks/smartstate', name: '@push.rocks/smartstate',
version: '2.1.0', version: '2.1.1',
description: 'A TypeScript-first reactive state management library with middleware, computed state, batching, persistence, and Web Component Context Protocol support.' description: 'A TypeScript-first reactive state management library with middleware, computed state, batching, persistence, and Web Component Context Protocol support.'
} }

View File

@@ -14,6 +14,7 @@ export class Smartstate<StatePartNameType extends string> {
// Batch support // Batch support
private batchDepth = 0; private batchDepth = 0;
private isFlushing = false;
private pendingNotifications = new Set<StatePart<any, any>>(); private pendingNotifications = new Set<StatePart<any, any>>();
constructor() {} constructor() {}
@@ -41,13 +42,20 @@ export class Smartstate<StatePartNameType extends string> {
await updateFn(); await updateFn();
} finally { } finally {
this.batchDepth--; this.batchDepth--;
if (this.batchDepth === 0) { if (this.batchDepth === 0 && !this.isFlushing) {
this.isFlushing = true;
try {
while (this.pendingNotifications.size > 0) {
const pending = [...this.pendingNotifications]; const pending = [...this.pendingNotifications];
this.pendingNotifications.clear(); this.pendingNotifications.clear();
for (const sp of pending) { for (const sp of pending) {
await sp.notifyChange(); await sp.notifyChange();
} }
} }
} finally {
this.isFlushing = false;
}
}
} }
} }
@@ -84,6 +92,7 @@ export class Smartstate<StatePartNameType extends string> {
`State part '${statePartNameArg}' already exists, but initMode is 'mandatory'` `State part '${statePartNameArg}' already exists, but initMode is 'mandatory'`
); );
case 'force': case 'force':
existingStatePart.dispose();
break; break;
case 'soft': case 'soft':
case 'persistent': case 'persistent':
@@ -91,7 +100,7 @@ export class Smartstate<StatePartNameType extends string> {
return existingStatePart as StatePart<StatePartNameType, PayloadType>; return existingStatePart as StatePart<StatePartNameType, PayloadType>;
} }
} else { } else {
if (!initialArg) { if (initialArg === undefined) {
throw new Error( throw new Error(
`State part '${statePartNameArg}' does not exist and no initial state provided` `State part '${statePartNameArg}' does not exist and no initial state provided`
); );

View File

@@ -1,4 +1,3 @@
import * as plugins from './smartstate.plugins.js';
import { StatePart } from './smartstate.classes.statepart.js'; import { StatePart } from './smartstate.classes.statepart.js';
export interface IActionDef<TStateType, TActionPayloadType> { export interface IActionDef<TStateType, TActionPayloadType> {

View File

@@ -34,8 +34,8 @@ export class StatePart<TStatePartName, TStatePayload> {
public smartstateRef?: Smartstate<any>; public smartstateRef?: Smartstate<any>;
private cumulativeDeferred = plugins.smartpromise.cumulativeDefer(); private cumulativeDeferred = plugins.smartpromise.cumulativeDefer();
private mutationQueue: Promise<any> = Promise.resolve();
private pendingCumulativeNotification: ReturnType<typeof setTimeout> | null = null; private pendingCumulativeNotification: ReturnType<typeof setTimeout> | null = null;
private pendingBatchNotification = false;
private webStoreOptions: plugins.webstore.IWebStoreOptions; private webStoreOptions: plugins.webstore.IWebStoreOptions;
private webStore: plugins.webstore.WebStore<TStatePayload> | null = null; private webStore: plugins.webstore.WebStore<TStatePayload> | null = null;
@@ -92,9 +92,19 @@ export class StatePart<TStatePartName, TStatePayload> {
} }
/** /**
* sets the stateStore to the new state * sets the stateStore to the new state (serialized via mutation queue)
*/ */
public async setState(newStateArg: TStatePayload) { public async setState(newStateArg: TStatePayload): Promise<TStatePayload> {
return this.mutationQueue = this.mutationQueue.then(
() => this.applyState(newStateArg),
() => this.applyState(newStateArg),
);
}
/**
* applies the state change (middleware → validate → persist → notify)
*/
private async applyState(newStateArg: TStatePayload): Promise<TStatePayload> {
// Run middleware chain // Run middleware chain
let processedState = newStateArg; let processedState = newStateArg;
for (const mw of this.middlewares) { for (const mw of this.middlewares) {
@@ -129,13 +139,13 @@ export class StatePart<TStatePartName, TStatePayload> {
* notifies of a change on the state * notifies of a change on the state
*/ */
public async notifyChange() { public async notifyChange() {
if (!this.stateStore) { const snapshot = this.stateStore;
if (snapshot === undefined) {
return; return;
} }
// If inside a batch, defer the notification // If inside a batch, defer the notification
if (this.smartstateRef?.isBatching) { if (this.smartstateRef?.isBatching) {
this.pendingBatchNotification = true;
this.smartstateRef.registerPendingNotification(this); this.smartstateRef.registerPendingNotification(this);
return; return;
} }
@@ -143,16 +153,19 @@ export class StatePart<TStatePartName, TStatePayload> {
const createStateHash = async (stateArg: any) => { const createStateHash = async (stateArg: any) => {
return await plugins.smarthashWeb.sha256FromString(plugins.smartjson.stableOneWayStringify(stateArg)); return await plugins.smarthashWeb.sha256FromString(plugins.smartjson.stableOneWayStringify(stateArg));
}; };
const currentHash = await createStateHash(this.stateStore); try {
const currentHash = await createStateHash(snapshot);
if ( if (
this.lastStateNotificationPayloadHash && this.lastStateNotificationPayloadHash &&
currentHash === this.lastStateNotificationPayloadHash currentHash === this.lastStateNotificationPayloadHash
) { ) {
return; return;
} else {
this.lastStateNotificationPayloadHash = currentHash;
} }
this.state.next(this.stateStore); this.lastStateNotificationPayloadHash = currentHash;
} catch (err) {
console.error(`State hash computation failed for '${this.name}':`, err);
}
this.state.next(snapshot);
} }
private lastStateNotificationPayloadHash: any; private lastStateNotificationPayloadHash: any;
@@ -164,10 +177,12 @@ export class StatePart<TStatePartName, TStatePayload> {
clearTimeout(this.pendingCumulativeNotification); clearTimeout(this.pendingCumulativeNotification);
} }
this.pendingCumulativeNotification = setTimeout(async () => { this.pendingCumulativeNotification = setTimeout(() => {
this.pendingCumulativeNotification = null; this.pendingCumulativeNotification = null;
if (this.stateStore) { if (this.stateStore !== undefined) {
await this.notifyChange(); this.notifyChange().catch((err) => {
console.error(`notifyChangeCumulative failed for '${this.name}':`, err);
});
} }
}, 0); }, 0);
} }
@@ -239,9 +254,16 @@ export class StatePart<TStatePartName, TStatePayload> {
*/ */
public async dispatchAction<T>(stateAction: StateAction<TStatePayload, T>, actionPayload: T): Promise<TStatePayload> { public async dispatchAction<T>(stateAction: StateAction<TStatePayload, T>, actionPayload: T): Promise<TStatePayload> {
await this.cumulativeDeferred.promise; await this.cumulativeDeferred.promise;
return this.mutationQueue = this.mutationQueue.then(
async () => {
const newState = await stateAction.actionDef(this, actionPayload); const newState = await stateAction.actionDef(this, actionPayload);
await this.setState(newState); return this.applyState(newState);
return this.getState(); },
async () => {
const newState = await stateAction.actionDef(this, actionPayload);
return this.applyState(newState);
},
);
} }
/** /**
@@ -272,7 +294,7 @@ export class StatePart<TStatePartName, TStatePayload> {
} }
const subscription = selectedObservable.subscribe((value) => { const subscription = selectedObservable.subscribe((value) => {
if (value && !resolved) { if (value !== undefined && value !== null && !resolved) {
resolved = true; resolved = true;
done.resolve(value); done.resolve(value);
} }
@@ -325,4 +347,20 @@ export class StatePart<TStatePartName, TStatePayload> {
this.cumulativeDeferred.addPromise(resultPromise); this.cumulativeDeferred.addPromise(resultPromise);
await this.setState(await resultPromise); await this.setState(await resultPromise);
} }
/**
* disposes the state part, completing the Subject and cleaning up resources
*/
public dispose(): void {
this.state.complete();
if (this.pendingCumulativeNotification) {
clearTimeout(this.pendingCumulativeNotification);
this.pendingCumulativeNotification = null;
}
this.middlewares.length = 0;
this.selectorCache = new WeakMap();
this.defaultSelectObservable = null;
this.webStore = null;
this.smartstateRef = undefined;
}
} }