Skip to content

Releases: statelyai/xstate

@xstate/store@3.4.2

01 Apr 12:43
ecf857b
Compare
Choose a tag to compare

Patch Changes

  • #5247 e8891030162214acc751a9f79a5d57ec916565ee Thanks @davidkpiano! - Fix type inference for discriminated union event types in the trigger and the emit object. Previously, using Omit with union types would incorrectly combine event types, breaking type inference for discriminated unions. This has been fixed by introducing a DistributiveOmit type that correctly preserves the relationship between discriminated properties.

@xstate/store@3.4.1

21 Mar 21:38
93b7a12
Compare
Choose a tag to compare

Patch Changes

@xstate/store@3.4.0

19 Mar 10:58
b9017a3
Compare
Choose a tag to compare

Minor Changes

  • #5221 4635d3d8d3debcfeef5cddd78613e32891c10eac Thanks @davidkpiano! - Added createAtom() for creating reactive atoms that can be combined with other atoms and stores:

    • Create simple atoms with initial values:

      import { createAtom } from '@xstate/store';
      
      const countAtom = createAtom(0);
      countAtom.get(); // 0
      countAtom.set(1); // or use setter function: (prev) => prev + 1
    • Subscribe to atom changes:

      countAtom.subscribe((value) => console.log(value));
    • Combine multiple atoms:

      const nameAtom = createAtom('hello');
      const countAtom = createAtom(3);
      const combinedAtom = createAtom((read) =>
        read(nameAtom).repeat(read(countAtom))
      );
      combinedAtom.get(); // "hellohellohello"
    • Seamlessly combine atoms with stores:

      const countAtom = createAtom(0);
      const nameStore = createStore({
        context: { name: 'David' }
        // ... store config
      });
      
      const combinedAtom = createAtom(
        (read) => read(nameStore).context.name + ` ${read(countAtom)}`
      );
      combinedAtom.get(); // "David 0"

    Atoms automatically update when their dependencies change, making it easy to create derived state from both atoms and stores.

@xstate/store@3.3.0

14 Mar 15:48
5279ce6
Compare
Choose a tag to compare

Minor Changes

  • #5215 13279166ed9fa3d3626a2129bd257f6cd663fd0e Thanks @davidkpiano! - Added store.transition(state, event) method that returns the next state and effects for a given state and event as a tuple, without actually updating the store. This is useful for computing state changes before committing them, or controlling the execution of effects.

    Example:

    const [nextState, effects] = store.transition(store.getSnapshot(), {
      type: 'increment',
      by: 1
    });

@xstate/store@3.2.1

10 Mar 23:34
5b70da7
Compare
Choose a tag to compare

Patch Changes

@xstate/react@5.0.3

10 Mar 23:34
5b70da7
Compare
Choose a tag to compare

Patch Changes

@xstate/store@3.2.0

24 Feb 14:52
80db725
Compare
Choose a tag to compare

Minor Changes

  • #5200 0332a16a42fb372eb614df74ff4cb7f003c31fc8 Thanks @davidkpiano! - Added selectors to @xstate/store that enable efficient state selection and subscription:

    • store.select(selector) function to create a "selector" entity where you can:
      • Get current value with .get()
      • Subscribe to changes with .subscribe(callback)
      • Only notify subscribers when selected value actually changes
      • Support custom equality functions for fine-grained control over updates via store.select(selector, equalityFn)
    const store = createStore({
      context: {
        position: { x: 0, y: 0 },
     name: 'John', age: 30 }
      },
      on: {
        positionUpdated: (
          context,
          event: { position: { x: number; y: number } }
        ) => ({
          ...context,
          position: event.position
        })
      }
    });
    
    const position = store.select((state) => state.context.position);
    
    position.get(); // { x: 0, y: 0 }
    
    position.subscribe((position) => {
      console.log(position);
    });
    
    store.trigger.positionUpdated({ x: 100, y: 200 });
    // Logs: { x: 100, y: 200 }

@xstate/store@3.1.0

21 Feb 19:28
10e0d6d
Compare
Choose a tag to compare

Minor Changes

  • #5205 65784aef746b6249a9c3d71d9e4a7c9b454698c8 Thanks @davidkpiano! - Added createStoreConfig to create a store config from an object. This is an identity function that returns the config unchanged, but is useful for type inference.

    const storeConfig = createStoreConfig({
      context: { count: 0 },
      on: { inc: (ctx) => ({ ...ctx, count: ctx.count + 1 }) }
    });
    
    // Reusable store config:
    
    const store = createStore(storeConfig);
    
    // ...
    function Comp1() {
      const store = useStore(storeConfig);
    
      // ...
    }
    
    function Comp2() {
      const store = useStore(storeConfig);
    
      // ...
    }
  • #5205 65784aef746b6249a9c3d71d9e4a7c9b454698c8 Thanks @davidkpiano! - There is now a useStore() hook that allows you to create a local component store from a config object.

    import { useStore, useSelector } from '@xstate/store/react';
    
    function Counter() {
      const store = useStore({
        context: {
          name: 'David',
          count: 0
        },
        on: {
          inc: (ctx, { by }: { by: number }) => ({
            ...ctx,
            count: ctx.count + by
          })
        }
      });
      const count = useSelector(store, (state) => state.count);
    
      return (
        <div>
          <div>Count: {count}</div>
          <button onClick={() => store.trigger.inc({ by: 1 })}>
            Increment by 1
          </button>
          <button onClick={() => store.trigger.inc({ by: 5 })}>
            Increment by 5
          </button>
        </div>
      );
    }

Patch Changes

@xstate/store@3.0.1

14 Feb 12:26
08ade1a
Compare
Choose a tag to compare

Patch Changes

@xstate/store@3.0.0

10 Feb 14:34
a4f9ca3
Compare
Choose a tag to compare

Major Changes

  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - The createStore function now only accepts a single configuration object argument. This is a breaking change that simplifies the API and aligns with the configuration pattern used throughout XState.

    // Before
    // createStore(
    //   {
    //     count: 0
    //   },
    //   {
    //     increment: (context) => ({ count: context.count + 1 })
    //   }
    // );
    
    // After
    createStore({
      context: {
        count: 0
      },
      on: {
        increment: (context) => ({ count: context.count + 1 })
      }
    });
  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - You can now enqueue effects in state transitions.

    const store = createStore({
      context: {
        count: 0
      },
      on: {
        incrementDelayed: (context, event, enq) => {
          enq.effect(async () => {
            await new Promise((resolve) => setTimeout(resolve, 1000));
            store.send({ type: 'increment' });
          });
    
          return context;
        },
        increment: (context) => ({ count: context.count + 1 })
      }
    });
  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - The fromStore(config) function now only supports a single config object argument.

    const storeLogic = fromStore({
      context: (input: { initialCount: number }) => ({
        count: input.initialCount
      }),
      on: {
        inc: (ctx, ev: { by: number }) => ({
          ...ctx,
          count: ctx.count + ev.by
        })
      }
    });
  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - The createStoreWithProducer(…) function now only accepts two arguments: a producer and a config ({ context, on }) object.

    // Before
    // createStoreWithProducer(
    //   producer,
    //   {
    //     count: 0
    //   },
    //   {
    //     increment: (context) => {
    //       context.count++;
    //     }
    //   }
    // );
    
    // After
    createStoreWithProducer(producer, {
      context: {
        count: 0
      },
      on: {
        increment: (context) => {
          context.count++;
        }
      }
    });
  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - Only complete assigner functions that replace the context fully are supported. This is a breaking change that simplifies the API and provides more type safety.

    const store = createStore({
      context: {
        items: [],
        count: 0
      },
      on: {
    -   increment: { count: (context) => context.count + 1 }
    -   increment: (context) => ({ count: context.count + 1 })
    +   increment: (context) => ({ ...context, count: context.count + 1 })
      }
    })
  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - Emitted event types are now specified in functions on the emits property of the store definition:

    const store = createStore({
      // …
      emits: {
        increased: (payload: { upBy: number }) => {
          // You can execute a side-effect here
          // or leave it empty
        }
      },
      on: {
        inc: (ctx, ev: { by: number }, enq) => {
          enq.emit.increased({ upBy: ev.by });
    
          // …
        }
      }
    });

Minor Changes

  • #5175 38aa9f518ee2f9a5f481306a1dc68c0ad47d28d5 Thanks @davidkpiano! - Added store.trigger API for sending events with a fluent interface:

    const store = createStore({
      context: { count: 0 },
      on: {
        increment: (ctx, event: { by: number }) => ({
          count: ctx.count + event.by
        })
      }
    });
    
    // Instead of manually constructing event objects:
    store.send({ type: 'increment', by: 5 });
    
    // You can now use the fluent trigger API:
    store.trigger.increment({ by: 5 });

    The trigger API provides full type safety for event names and payloads, making it easier and safer to send events to the store.