Cheatsheet
Use this cheatsheet to quickly look up the syntax for XState v5 beta.
Installing XState​
yarn add xstate
npm install xstate
Read more on installing XState.
Creating a state machine​
import { createMachine, createActor, assign } from 'xstate';
const machine = createMachine({
  id: 'toggle',
  initial: 'active',
  context: { count: 0 },
  states: {
    active: {
      entry: assign({
        count: ({ context }) => context.count + 1,
      }),
      on: {
        toggle: { target: 'active' },
      },
    },
    inactive: {
      on: {
        toggle: { target: 'inactive' },
      },
    },
  },
});
const actor = createActor(machine);
actor.subscribe((snapshot) => {
  console.log(snapshot.value);
});
actor.start();
// logs 'active' with context { count: 1 }
actor.send({ type: 'toggle' });
// logs 'inactive' with context { count: 1 }
actor.send({ type: 'toggle' });
// logs 'active' with context { count: 2 }
actor.send({ type: 'toggle' });
// logs 'inactive' with context { count: 2 }
Read more about the actor model.
Creating promise logic​
import { fromPromise, createActor } from 'xstate';
const promiseLogic = fromPromise(async () => {
  const response = await fetch('https://dog.ceo/api/breeds/image/random');
  const dog = await response.json();
  return dog;
});
const actor = createActor(promiseLogic);
actor.subscribe((snapshot) => {
  console.log(snapshot);
});
actor.start();
// logs: {
//   message: "https://images.dog.ceo/breeds/kuvasz/n02104029_110.jpg",
//   status: "success"
// }
Read more about promise actor logic.
Creating transition logic​
A transition function is just like a reducer.
import { fromTransition, createActor } from 'xstate';
const transitionLogic = fromTransition(
  (state, event) => {
    switch (event.type) {
      case 'inc':
        return {
          ...state,
          count: state.count + 1,
        };
      default:
        return state;
    }
  },
  { count: 0 }, // initial state
);
const actor = createActor(transitionLogic);
actor.subscribe((snapshot) => {
  console.log(snapshot);
});
actor.start();
// logs { count: 0 }
actor.send({ type: 'inc' });
// logs { count: 1 }
actor.send({ type: 'inc' });
// logs { count: 2 }
Read more about transition actors.
Creating observable logic​
import { fromObservable, createActor } from 'xstate';
import { interval } from 'rxjs';
const observableLogic = fromObservable(() => interval(1000));
const actor = createActor(observableLogic);
actor.subscribe((snapshot) => {
  console.log(snapshot);
});
actor.start();
// logs 0, 1, 2, 3, 4, 5, ...
// every second
Read more about observable actors.
Creating callback logic​
import { fromCallback, createActor } from 'xstate';
const callbackLogic = fromCallback(({ sendBack, receive }) => {
  const i = setTimeout(() => {
    sendBack({ type: 'timeout' });
  }, 1000);
  receive((event) => {
    if (event.type === 'cancel') {
      console.log('canceled');
      clearTimeout(i);
    }
  });
  return () => {
    clearTimeout(i);
  };
});
const actor = createActor(callbackLogic);
actor.start();
actor.send({ type: 'cancel' });
// logs 'canceled'
Read more about callback actors.
Parent states​
import { createMachine, createActor } from 'xstate';
const machine = createMachine({
  id: 'parent',
  initial: 'active',
  states: {
    active: {
      initial: 'one',
      states: {
        one: {},
        two: {},
      },
    },
    inactive: {},
  },
});
const actor = createActor(machine);
actor.subscribe((snapshot) => {
  console.log(snapshot.value);
});
actor.start();
// logs { active: 'one' }
Read more about parent states.
Actions​
import { createMachine, createActor } from 'xstate';
const machine = createMachine({
  id: 'toggle',
  initial: 'active',
  states: {
    active: {
      entry: { type: 'activate' },
      exit: { type: 'deactivate' },
      on: {
        toggle: {
          target: 'inactive',
          actions: [{ type: 'notify' }],
        },
      },
    },
    inactive: {
      on: {
        toggle: {
          target: 'active',
          actions: [
            // action with params
            {
              type: 'notify',
              params: {
                message: 'Some notification',
              },
            },
          ],
        },
      },
    },
  },
});
const actor = createActor(
  machine.provide({
    actions: {
      notify: ({ action }) => {
        console.log(action.params.message ?? 'Default message');
      },
      activate: () => {
        console.log('Activating');
      },
      deactivate: () => {
        console.log('Deactivating');
      },
    },
  }),
);
actor.start();
// logs 'Activating'
actor.send({ type: 'toggle' });
// logs 'Deactivating'
// logs 'Default message'
actor.send({ type: 'toggle' });
// logs 'Some notification'
// logs 'Activating'
Guards​
import { createMachine, createActor } from 'xstate';
const machine = createMachine({
  id: 'toggle',
  initial: 'active',
  context: {
    canActivate: false,
  },
  states: {
    inactive: {
      on: {
        toggle: [
          {
            target: 'active',
            guard: 'canBeToggled',
          },
          {
            actions: 'notifyNotAllowed',
          },
        ],
      },
    },
    active: {
      on: {
        toggle: {
          // Guard with params
          guard: { type: 'isAfterTime', params: { time: '16:00' } },
          target: 'inactive',
        },
      },
      // ...
    },
  },
});
const actor = createActor(
  machine.provide({
    guards: {
      canBeToggled: ({ context }) => context.canActivate,
      isAfterTime: ({ guard }) => {
        const { time } = guard.params;
        const [hour, minute] = time.split(':');
        const now = new Date();
        return now.getHours() > hour && now.getMinutes() > minute;
      },
    },
    actions: {
      notifyNotAllowed: () => {
        console.log('Cannot be toggled');
      },
    },
  }),
);
actor.start();
// logs 'Cannot be toggled'
Invoking actors​
import { createMachine, fromPromise, createActor, assign } from 'xstate';
const loadUserLogic = fromPromise(async () => {
  const response = await fetch('https://jsonplaceholder.typicode.com/users/1');
  const user = await response.json();
  return user;
});
const machine = createMachine({
  id: 'toggle',
  initial: 'loading',
  context: {
    user: undefined,
  },
  states: {
    loading: {
      invoke: {
        id: 'loadUser',
        src: loadUserLogic,
        onDone: {
          target: 'doSomethingWithUser',
          actions: assign({
            user: ({ event }) => event.output,
          }),
        },
        onError: 'failure',
      },
    },
    doSomethingWithUser: {
      // ...
    },
    failure: {
      // ...
    },
  },
});
const actor = createActor(machine);
actor.subscribe((snapshot) => {
  console.log(snapshot.context.user);
});
actor.start();
// eventually logs:
// { id: 1, name: 'Leanne Graham', ... }
Read more about invoking actors.
Spawning actors​
import { createMachine, fromPromise, createActor, assign } from 'xstate';
const loadUserLogic = fromPromise(async () => {
  const response = await fetch('https://jsonplaceholder.typicode.com/users/1');
  const user = await response.json();
  return user;
});
const machine = createMachine({
  context: {
    userRef: undefined,
  },
  on: {
    loadUser: {
      actions: assign({
        userRef: ({ spawn }) => spawn(loadUserLogic),
      }),
    },
  },
});
const actor = createActor(machine);
actor.subscribe((snapshot) => {
  const { userRef } = snapshot.context;
  console.log(userRef?.getSnapshot());
});
actor.start();
actor.send({ type: 'loadUser' });
// eventually logs:
// { id: 1, name: 'Leanne Graham', ... }
Read more about spawning actors.
Input and output​
import { createMachine, createActor } from 'xstate';
const greetMachine = createMachine({
  context: ({ input }) => ({
    message: `Hello, ${input.name}`,
  }),
  entry: ({ context }) => {
    console.log(context.message);
  },
});
const actor = createActor(greetMachine, {
  input: {
    name: 'David',
  },
});
actor.start();
// logs 'Hello, David'
Invoking actors with input​
import { createMachine, createActor, fromPromise } from 'xstate';
const loadUserLogic = fromPromise(async ({ input }) => {
  const response = await fetch(
    `https://jsonplaceholder.typicode.com/users/${input.id}`,
  );
  const user = await response.json();
  return user;
});
const machine = createMachine({
  initial: 'loading user',
  states: {
    'loading user': {
      invoke: {
        id: 'loadUser',
        src: loadUserLogic,
        input: {
          id: 3,
        },
        onDone: {
          actions: ({ event }) => {
            console.log(event.output);
          },
        },
      },
    },
  },
});
const actor = createActor(machine);
actor.start();
// eventually logs:
// { id: 3, name: 'Clementine Bauch', ... }
Read more about invoking actors with input.
Types​
const promiseLogic = fromPromise(async () => {
  /* ... */
});
const machine = createMachine({
  types: {} as {
    context: {
      count: number;
    };
    events:
      | {
          type: 'inc';
        }
      | { type: 'dec' }
      | { type: 'incBy'; amount: number };
    actions:
      | { type: 'notify'; params: { message: string } }
      | { type: 'handleChange' };
    guards:
      | { type: 'canBeToggled' }
      | { type: 'isAfterTime'; params: { time: string } };
    actors: {
      logic: typeof promiseLogic;
      src: 'someSrc';
      id: 'promise1' | 'promise2';
    };
    delays: 'shortTimeout' | 'longTimeout';
    tags: 'tag1' | 'tag2';
    input: number;
    output: string;
  },
});