Describe the states and allowed transitions of a program using a flowchart-like syntax. Switch to states directly, or by wiring-up events. Statebot is an FSM.
import { Statebot } from 'statebot'
const machine = Statebot('traffic-lights', {
  chart: `
    go ->
      prepare-to-stop ->
      stop
    // ...gotta keep that traffic flowing
    stop ->
      prepare-to-go ->
      go
  `
})
machine.performTransitions({
  'stop -> prepare-to-go -> go':   { on: 'timer' },
  'go -> prepare-to-stop -> stop': { on: 'timer' },
})
machine.onEvent('timer', () => {
  redrawTrafficLights()
})
function redrawTrafficLights() {
  machine.inState({
    'stop': () =>
      console.log('Draw red light'),
    'prepare-to-go': () =>
      console.log('Draw red + yellow lights'),
    'go': () =>
      console.log('Draw green light'),
    'prepare-to-stop': () =>
      console.log('Draw yellow light'),
  })
}
setInterval(machine.Emit('timer'), 2000)CodeSandbox of the above example.
Since v3.1.0, Mermaid state-diagram support:
---
title: Traffic Lights
---
stateDiagram
direction LR
  go --> prepareToStop
    prepareToStop --> stop
  %% ...gotta keep that traffic flowing
  stop --> prepareToGo
    prepareToGo --> go
    import { Statebot, mermaid } from 'statebot'
const machine = Statebot('traffic-lights', {
  chart: mermaid`
    stateDiagram
    direction LR
      go --> prepareToStop
        prepareToStop --> stop
      %% ...gotta keep that traffic flowing
      stop --> prepareToGo
        prepareToGo --> go
  `
})It's around 5K gzipped, runs in Node and the browser, and is a shell-script too.
There are Hooks for these frameworks, too:
There is a lot of prior-art out there, most notably XState by David Khourshid, but I hope Statebot can offer a small contribution in the field of writing code that is easier to understand six-months after it has been written.
npm i statebot<script src="https://unpkg.com/[email protected]/dist/browser/statebot.min.js"></script>(You can play around with this in a CodeSandbox.)
import React, { useState, useEffect } from 'react'
import { Statebot } from 'statebot'
// Statebot is framework agnostic. To use it with React,
// you might use something like this 3-line Hook:
function useStatebot(bot) {
  const [state, setState] = useState(bot.currentState())
  useEffect(() => bot.onSwitched(setState), [bot])
  return state
}
const loader$bot = Statebot('loader', {
  chart: `
    idle ->
      loading -> (loaded | failed) ->
      idle
  `
})
loader$bot.performTransitions(({ Emit }) => ({
  'idle -> loading': {
    on: 'start-loading',
    then: () => setTimeout(Emit('success'), 1000)
  },
  'loading -> loaded': {
    on: 'success'
  },
  'loading -> failed': {
    on: 'error'
  }
}))
const { Enter, Emit, inState } = loader$bot
function LoadingButton() {
  const state = useStatebot(loader$bot)
  return (
    <button
      className={state}
      onClick={Emit('start-loading')}
      disabled={inState('loading')}
    >
      {inState({
        'idle': 'Load',
        'loading': 'Please wait...',
        'loaded': 'Done!',
      })}
      ({state})
    </button>
  )
}const { Statebot } = require('statebot')
// Describe states + transitions
const machine = Statebot('promise-like', {
  chart: `
    idle ->
      // This one behaves a bit like a Promise
      pending ->
        (resolved | rejected) ->
      done
  `,
  startIn: 'pending'
})
// Handle events...
machine.performTransitions({
  'pending -> resolved': {
    on: 'success'
  }
})
// ...and/or transitions
machine.onTransitions({
  'pending -> resolved | rejected': () => {
    console.log('Sweet!')
  }
})
machine.onExiting('pending', toState => {
  console.log(`Off we go to: ${toState}`)
})
machine.canTransitionTo('done')
// false
machine.statesAvailableFromHere()
// ["resolved", "rejected"]
machine.emit('success')
// "Off we go to: resolved"
// "Sweet!"Statebot creates state-machines from charts, and we can switch states on events using performTransitions:
machine.performTransitions({
  'pending -> resolved': {
    on: 'data-loaded'
  }
})
// ^ This API is designed to read like this:
//   machine, perform transition "pending to
//   resolved" on "data-loaded".Let's do a little more:
machine.performTransitions({
  'pending -> rejected': {
    on: ['data-error', 'timeout'],
    then: () => {
      console.warn('Did something happen?')
    }
  },
// ^ We can run something after a transition
//   happens with "then". Notice this will
//   happen after the "data-error" OR
//   "timeout" events.
  'resolved | rejected -> done': {
    on: 'finished'
  }
// ^ We can configure lots of transitions inside
//   one `performTransitions`. Here's one that
//   will switch from "resolved to done" OR
//   "rejected to done" when the "finished"
//   event is emitted.
})
// In this API, when events are emitted they
// can pass arguments to the "then" method.
// See the section below on "Passing data around".We can also do stuff when states switch with onTransitions:
machine.onTransitions({
  'pending -> resolved': function () {
    console.log('Everything went lovely...')
    machine.enter('done')
  },
  'pending -> rejected': function () {
    console.warn('That did not go so well...')
    machine.enter('done')
  },
  'resolved | rejected -> done': function () {
    console.log('All finished')
  }
})Let's do a little more:
machine.onTransitions(({ emit, Emit }) => ({
  'idle -> pending': function () {
// ^ This API is designed to read like this:
//   machine, on transition "idle to pending",
//   run a callback.
    getSomeData().then(
      (...args) => emit('data-loaded', ...args)
    )
// ^ emit() or Emit()? Which one to use? Maybe
//   you can infer the different meanings from
//   the .catch() of this Promise:
    .catch(Emit('data-error'))
// ^ Got it? Emit() is shorthand for:
//     (...args) => emit('event', ...args)
//
//   So emit() fires immediately, and Emit()
//   generates an emitter-method.
  }
}))
// In this API, the state-switching functions
// enter() and Enter() can pass arguments to
// these callbacks.
// See the section below on "Passing data around".Both performTransitions and onTransitions take objects or functions that return objects in order to configure them.
Object:
machine.onTransitions({
  'idle -> pending': // etc...Function:
machine.onTransitions(({ emit, enter, Emit, Enter }) => ({
  'idle -> pending': // etc...In the case of a function, a single argument is passed-in: An object containing helpers for emitting events and entering states. In the above example we're pulling-in the helpers emit and enter, and also their corresponding factories: Emit and Enter.
Of course, you don't have to use an "implicit return":
machine.onTransitions(({ emit, Emit, enter, Enter }) => {
  // Setup, closure gubbins and so on...
  return {
    'idle -> pending': // etc...
  }
})performTransitions hitches onto events, and onTransitions hitches onto state-transitions.
A Statebot FSM can have as many hitchers as you like, or none at all.
In any case, once an FSM is configured we are sometimes only interested in the state we are currently in, about to exit, or about to enter. There are hitchers for those, too:
machine.onExiting('pending', toState => {
  console.log('we are heading to:', toState)
})
machine.onEntered('done', fromState => {
  console.log('we came from:', fromState)
})
machine.currentState()
machine.previousState()You can use the following snippet to tinker with the examples above:
function getSomeData() {
  return new Promise(
    (resolve, reject) => {
      setTimeout(resolve, 1000)
      // Randomly reject
      setTimeout(reject,
        500 + Math.round(Math.random() * 750)
      )
    }
  )
}
// Randomly timeout
setTimeout(() => machine.emit('timeout', true),
  750 + Math.round(Math.random() * 750)
)
machine.enter('pending')Events can pass data to callbacks using emit:
machine.performTransitions({
  'pending -> resolved': {
    on: ['data-loaded'], // event name(s)
    then: (...args) => {
      console.log('Received:', args)
    }
  }
})
machine.emit('data-loaded', 1, 2, 3)
// Console output:
// > Received: [1, 2, 3]The state-switching method enter can pass data, too:
machine.onTransitions({
  'idle -> pending': (...args) => {
    console.log('onTransitions:', args)
  }
})
machine.onEntering('pending',
  (fromState, ...args) => {
    console.log('onEntering:', args)
  }
)
machine.onExited('pending',
  (toState, ...args) => {
    console.log('onExited:', args)
  }
)
machine.enter('pending', 'a', 'b', 'c')
machine.enter('resolved', 3, 2, 1)
// Console output:
// > onEntering: ["a", "b", "c"]
// > onTransitions: ["a", "b", "c"]
// > onExited: [3, 2, 1]A Statebot FSM is a pretty noisy thing by default.
You can tone-it down using the logLevel argument in its options:
const machine = Statebot('example', {
  // ...
  logLevel: 2 // Everything except console.info()
})- A zero 0here means silence
- One 1printsconsole.warn()'s
- Two 2prints warnings, plusconsole.log()+console.table()
- Three 3prints all the above, plusconsole.info()
3 is the default. Argument type-errors will always throw.
assertRoute can be used to test if an FSM traced a particular route:
const { assertRoute } = require('statebot/assert')
assertRoute(
  machine, 'pending -> resolved -> done',
  {
    description: 'Data loaded with no issues',
    fromState: 'idle',
    timeoutInMs: 1000 * 20,
    permittedDeviations: 0
  }
)
.then(() => console.log('Assertion passed!'))
.catch(err => console.error(`Hot fudge: ${err}`))
machine.enter('idle')As you can see, it returns a Promise that you can use with an assertion-library.
The method itself produces output using console.table:
[example] aId<1>: Data loaded with no issues: [FAILED]
┌─────────┬────────────┬────────────┬───────────────────────┬──────────────────┐
│ (index) │   states   │  expected  │         info          │       took       │
├─────────┼────────────┼────────────┼───────────────────────┼──────────────────┤
│    0    │  'pending' │ 'pending'  │ 'OKAY               ' │ '          2 ms' │
│    1    │ 'rejected' │ 'resolved' │ 'WRONG STATE        ' │ '       0.73 s ' │
│    2    │ 'rejected' │ 'resolved' │ 'TOO MANY DEVIATIONS' │ '              ' │
│    3    │ 'rejected' │  '(done)'  │ 'TOO MANY DEVIATIONS' │ '              ' │
│    4    │     ''     │     ''     │ '                   ' │ 'TOTAL: 0.74 s ' │
└─────────┴────────────┴────────────┴───────────────────────┴──────────────────┘aId<1> means assertRoute has run once so far.
You can also check if a certain route can be followed with routeIsPossible:
const { routeIsPossible } = require('statebot/assert')
routeIsPossible(machine, 'pending -> resolved -> pending')
// falseStatebot charts are just strings, or arrays of strings:
var oneLiner = '-> idle -> done'
var multiLiner = [
  '-> idle',
  'idle -> done'
]We can use Template Literals to make more readable charts in modern JavaScript:
const chart = `
  -> idle
  idle -> done
`Charts list all states and the allowed transitions between them using ->.
const fsm = Statebot('just a name', {
  chart: `
    -> idle
    idle -> done
  `,
  startIn: 'idle'
})Careful now: When startIn is absent the default state is inferred from the first state seen in the chart. Also, empty-strings are valid states: The first-line of this chart allows transitioning from '' to 'idle', and the empty-string would be the starting-state if startIn were omitted.
The pipe-character | means OR:
This...
  pending -> resolved | rejected
  resolved | rejected -> done
...is shorthand for this...
  pending -> resolved
  pending -> rejected
  resolved -> done
  rejected -> done
...which is also equivalent to:
  pending -> (resolved | rejected) -> done
Notice the use of parentheses (). These are completely ignored by the parser and just provide syntactic sugar.
Any lines ending with -> or | are considered to be part of the next line.
This...
  pending ->
    resolved |
      rejected
...is the same as this:
  pending -> resolved | rejected
Comments are allowed:
  // These comments
  pending ->
    resolved |  // will be
      rejected  // ignored
Indentation has no meaning.
Here are some charts I've used with Statebot:
  // Email config, static files
  -> booting ->
    email-config -> image-sizes -> templates -> pages
  // If pages are ready, start webserver
  pages -> webserver
  // Problem...?
        booting |
   email-config |
    image-sizes |
      templates |
          pages -> unrecoverable
  // A watchdog will restart the web-server
  unrecoverable ->  report-and-quit  idle -> send
  // Let's wait a few seconds before committing...
  (send | update) ->
    debounce -> sending |
      (update | cancel)
  sending -> (sent | failed)
  // All done!
  (sent | cancel | failed) -> done  idle ->
    drag-detect ->
      (dragging | clicked)
  // Click detected!
  clicked -> idle
  // Drag detected!
  dragging ->
    drag-wait -> dragged -> drag-wait
  // Drag finished...
  (drag-wait | dragged) ->
    (drag-done | drag-cancel) ->
      idleThe documentation has a few more examples.
"The initial mystery that attends any journey is: How did the traveller reach his starting-point in the first place?" -Louise Bogan
I wrote Statebot to learn about FSMs, but really I ended up learning more about writing programs in general, and what I do and do not like about the process.
Above all, state-machines are extremely useful when it comes to reading old code. Their innate robustness and predictability are an added bonus.
Understanding the flow of a program I haven't come back to in a while is exactly what I enjoy the most about using state-machines.
With Statebot itself, code can be marshalled into a shape that "fans-out":
- 
The compact chartat the top describes the flow.
- 
The hitchers reveal how transitionshappen.
- 
Finally, the callbackspull-in all the business-logic. (This might still be a huge jumbled mess of course, but at least at this point I'll have a few leads into what's supposed to be going on!)
Frankly, this does add a bit of redundancy when using Statebot.
Transitions are repeated between charts and hitchers, and there can be a bit of to-ing and fro-ing to get them right. But for me, the pay-off of being able to jump-in to an old piece of code and grok it quickly is worth it.
The bottom-line with any tool is to use it sparingly and appropriately, and the same applies with Statebot.
I consider the API stable and would not like it to change much. I don't want it to become a store or data-manager. Many APIs exist that are dedicated to such tasks. I'd really like to keep Statebot lean.
Of course, bug-fixes, forks, and integrations are very welcome! If you feel it has saved you a little pain while trying to grok your own old projects, please consider buying me a coffee. :)
With thanks to @szabeszg for the suggestion and discussion around:
- nextState = peek(eventName)
- canTransitionTo(state, { afterEmitting: event })
🙏
Statebot was inspired by a trawl through Wikipedia and Google, which in turn was inspired by XState by David Khourshid. You should check it out.
Statebot integrates events for the browser-build.
- Since Statebot 2.5.0 mitt is also compatible.
- Since Statebot 2.6.0 mitt is used internally.
The Statebot logo uses the "You're Gone" font from Typodermic Fonts. The logo was made with Acorn. The documentation is written in JSDoc and is built with Typedoc.
Statebot was written by Conan Theobald.
Statebot is MIT licensed.