• Stars
    star
    814
  • Rank 55,815 (Top 2 %)
  • Language
    JavaScript
  • License
    MIT License
  • Created over 13 years ago
  • Updated about 6 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Stately.js is a JavaScript based finite-state machine (FSM) engine for Node.js and the browser.

Stately.js Logo

What is it?

Stately.js is a JavaScript based finite-state machine (FSM) engine for Node.js and the browser.

Installation

In Node.js you can install Stately.js with npm:

$ npm install stately.js

and include it to your project by:

var Stately = require('stately.js');

Alternately, you can install Stately.js with bower:

$ bower install --save Stately.js

In browsers you can include it directly by adding it to the document head section:

<script type="text/javascript" src="https://raw.github.com/fschaefer/Stately.js/master/Stately.js"></script>
<script type="text/javascript">
    // use Stately
</script>

or with Asynchronous Module Definition by e.g.:

<script type="text/javascript" src="https://raw.github.com/jrburke/requirejs/master/require.js"></script>
<script type="text/javascript">
require(['https://raw.github.com/fschaefer/Stately.js/master/Stately.js'], function (Stately) {
    // use Stately
});
</script>

Usage

Creating a new machine

A new state machine can be created with either the new operator:

var machine = new Stately(statesObject, initialStateName);

or the factory method:

var machine = Stately.machine(statesObject, initialStateName);

Both will return a new stateMachine object, with all events from all states attached to it. The machine will transition into the initial state initialStateName or the first attached stateObject if initialStateName is omitted. In addition to the events the stateMachine object has a getMachineState() method, returning the current name of the machines state, getMachineEvents(), returning possible events in the current state.

The statesObject is an object with stateObject objects attached as properties. The property names of the statesObject are the states of the machine. The attached stateObject objects model the machines states with the property names as events and the connected functions as actions:

var machine = Stately.machine({
    'STATE0': {
        event: function () {
            ...
        }
    },
    'STATE1': {
        event: function () {
            ...
        }
    },
    'STATE2':{
        event: function () {
            ...
        },
        anotherEvent: function () {
            ...
        }
    }
});

If different states use the same event identifier, the events are chained up and the machine handles calling the correct action for the current state (if the event is handled in the current state). If the event is not handled in the current state, it is ignored.

If no immediate action needs to be declared, the desired transition state can be attached to the event as string directly:

var machine = Stately.machine({
    'STATE0': {
        'event':        /* => */ 'STATE1'
    },
    'STATE1': {
        'event':        /* => */ 'STATE2'
    },
    'STATE2': {
        'event':        /* => */ 'STATE0',
        'anotherEvent': /* => */ 'STATE1'
    }
});

Transitions

There are several ways an action can transition the machine into another state. The simplest form is returning the desired next state from an action. Therefore, this refers to the (internal) stateStore inside an action to access the other states of the machine:

...

'STATE1': {
    doSomething: function () {

        ...

        //transition from STATE1 to STATE2
        return this.STATE2;
        // as an alternative just return the new state as string
        // return 'STATE2';
    }
}

...

If an action should not transition the machine into another state, just omit the return value (or return the current state).

Sometimes it is desired to return a value from an action. In this case the return value must be an array with two elements. The first element is the next state the machine should transition into, and the second element the return value:

...

'STATE1': {
    doSomething: function () {

        ...

        //transition from STATE1 to STATE2 and return a string
        return [this.STATE2, 'this is a return value'];
    }
}

...

For asynchronous actions there are getMachineState() and setMachineState(nextState) accessible through the this reference of an action:

...

'STATE1': {
    doSomething: function () {
        var self = this;

        setTimeout(function () {

            ...

            self.setMachineState(self.STATE2);
        }, 5000);

        ...

    }
}

...

Because this refers to the stateStore, it is also possible to call an action from another state (note: this won't trigger the notifications):

...

'STATE1': {
    doSomething: function () {

        ...

        this.STATE2.doSomethingDifferent.call(this);

        ...

        return this.STATE3.doSomethingCompletelyDifferent.call(this);
    }
}

...

Special event hook functions

Once in a while, it is useful to get a notification when the machine transitions into another state. Therefore there are some special event names reserved for event functions, namely onEnter, onLeave (triggered when entering / leaving a state), onBefore<eventname> and onAfter<eventname> (triggered before or after calling an event).

The event function has the following signature:

function (event, oldState, newState) {
    ...
}

event - The event that triggered the transition. oldState - The old state the machine is transitioned from. newState - The new state the machine is transitioned into.

Inside these functions, this refers to the internal stateStore.

Examples

Door

var door = Stately.machine({
    'OPEN': {
        'close':  /* => */ 'CLOSED'
    },
    'CLOSED': {
        'open':   /* => */ 'OPEN',
        'lock':   /* => */ 'LOCKED'
    },
    'LOCKED': {
        'unlock': /* => */ 'CLOSED',
        'break':  /* => */ 'BROKEN'
    },
    'BROKEN': {
        'fix': function () {
            this.fixed = (this.fixed === undefined ? 1 : ++this.fixed);
            return this.fixed < 3 ? this.OPEN : this.BROKEN;
        }
    }
});

//the initial state of the door is open (it's the first state object)
console.log(door.getMachineState() === 'OPEN');        // true;

//close and lock the door
door.close().lock();
console.log(door.getMachineState() === 'LOCKED');      // true;

//try to open it
door.open();
console.log(door.getMachineState() === 'OPEN');        // false;

//unlock, open, lock (is ignored because it fails), close, and lock
door.unlock().open().lock().close().lock();
console.log(door.getMachineState() === 'LOCKED');      // true;

//the door is still locked, break it
door.break();
console.log(door.getMachineState() === 'BROKEN');      // true;

//fix opens the door, close it, lock it, break it again
door.fix().close().lock().break();
console.log(door.getMachineState() === 'BROKEN');      // true;

//and again fix opens the door, close it, lock it, break it
door.fix().close().lock().break();
console.log(door.getMachineState() === 'BROKEN');      // true;

//fixing is limited, the door stays broken
door.fix();
console.log(door.getMachineState() === 'OPEN');        // false;
console.log(door.getMachineState() === 'BROKEN');      // true;

Radio

function reporter(event, oldState, newState) {

    var transition = oldState + ' => ' + newState;

    switch (transition) {
        /*
        ...
        case 'STOPPED => PLAYING':
        case 'PLAYING => PAUSED':
        ...
        */
        default:
            console.log(transition);
            break;
    }
}

var radio = Stately.machine({
    'STOPPED': {
        onEnter: reporter,
        play: function () {
            return this.PLAYING;
        }
    },
    'PLAYING': {
        onEnter: reporter,
        stop: function () {
            return this.STOPPED;
        },
        pause: function () {
            return this.PAUSED;
        }
    },
    'PAUSED': {
        onEnter: reporter,
        play: function () {
            return this.PLAYING;
        },
        stop: function () {
            return this.STOPPED;
        }
    }
});

radio.play().pause().play().pause().stop();
//STOPPED => PLAYING
//PLAYING => PAUSED
//PAUSED => PLAYING
//PLAYING => PAUSED
//PAUSED => STOPPED

jsFiddles

More Repositories

1

Probability.js

Probability.js makes it easy to call JavaScript functions by probability in Node.js and the browser.
JavaScript
165
star
2

jquery-behavior

Unobstrusive scripting simply and easily. Declarative events with Metabehaviors based on Live Query.
JavaScript
15
star
3

pushover.sh

Shell script to push messages to Android and iOS devices via Pushover (https://pushover.net/)
Shell
12
star
4

event-stream-proxy

A open reverse proxy allowing to poll JSON REST APIs and push updates to clients by utilizing Server-Sent Events (SSE)
JavaScript
7
star
5

tado-server-proto

Protocol for JSON-based communication via HTTP GET between Android App and tado server
7
star
6

Prescaler

Arduino Prescaler Library
4
star
7

bas-for-little-wire

Bas is an interpreter for the classic dialect of the programming language BASIC extended for use with the "Little-Wire - minimal AVR programmer and more"
C
4
star
8

spdns-client.sh

Shell script to update DNS records on http://spdns.de/
Shell
3
star
9

TypeSafe.js

A library for creating typed functions in JavaScript.
JavaScript
2
star
10

thinlet

Fork of Thinlet AWT GUI framework
Java
2
star
11

libarduino

C library for using standard GNU tools with Arduino hardware.
C
2
star
12

rtl_sdr

A private rtl_sdr clone with synchronous single threaded rtl_fm
C
2
star
13

gtalkbot

a simple xmpp bot with plugin support
C
1
star
14

PICAXE_SerialLCD

PICAXE example for the Seeed Technology UART based LCD1602 display (Hitachi HD44780 or a compatible LCD).
Visual Basic
1
star
15

ComunioPlusPlusDE

Extending the comunio.de basic player account. ;)
JavaScript
1
star
16

usbfunkd

A RESTful webserver that let you control 433MHz wireless remote sockets via a webinterface. See https://github.com/MalteP/usbfunk
C
1
star
17

PICAXE_Makefile

Makefile for using the PICAXE command line console compilers
1
star
18

SerialLCD

Seeedstudio SerialLCD library for Arduino 1.0
Java
1
star
19

snippets.js

Various JavaScript snippets.
JavaScript
1
star
20

node-red-contrib-authed-websocket

A websocket input and output node that rejects connections based on an external authentication flow.
TypeScript
1
star
21

infoBox

A jQuery infoBox plugin
JavaScript
1
star
22

android-samsung-3.0-jb

C
1
star
23

EZLib

EZLib is a C utility library, which provides some useful data types, string utilities and memory handling macros. It also provides macros for using object oriented programming in ISO C and a simple implementation of structured exception handling with try/catch blocks.
Shell
1
star