npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

fsalib

v2.2.1

Published

Its a very simple fSA lib, with some advanced operations like:

Downloads

34

Readme

Finite State Automaton Library

Its a very simple fSA lib, with some advanced operations like:

  • Clean dead and unreachable states,
  • Determinism,
  • Minimization,
  • Union,
  • Intersection,
  • Subtraction,
  • Negation,
  • walk methods (delta, hasfinals, filterFinals, walk, ...),
  • toDot,
  • fromJSON,
  • toJSON

All operations except clean and fromJSON are non-destructive, this means that the result is a new FSA and origin FSA is unchanged.

Install

npm install fsalib --save

Use

    const FSA = require("fsalib");

    const abc = new FSA();
    const def = new FSA();

    {
        const s = abc.getStart();
        const s1 = abc.newState();
        const s2 = abc.newState();
        const s3 = abc.newState();

        abc.setFinal(s3);

        abc.transition(s, 'a', s1);
        abc.transition(s1, 'b', s2);
        abc.transition(s2, 'c', s3);
    }

    {
        const s = def.getStart();
        const s1 = def.newState();
        const s2 = def.newState();
        const s3 = def.newState();

        def.setFinal(s3);

        def.transition(s, 'd', s1);
        def.transition(s1, 'e', s2);
        def.transition(s2, 'f', s3);
    }

    // clean a,
    abc.clean();

    // create a deterministic FSA from abc,
    const det = abc.deterministic();

    // create new minimized FSA from abc.
    const min = fa.minimize();

    // union of both FSA,
    // result (un) will acept all words that are acepted by abc or def.
    const un = abc.union(def);

    // intersect both FSA,
    // result (inter) will acept all words acepted by both FSA (abc and def).
    const inter = abc.intersect(def);
    
    // subtract abc - def,
    // result (sub) FSA will acept all words acepted by abc but not the ones acepted by def.
    const sub = abc.subtract(def);

    // negation,
    // will acepted all words  
    // it will create a FSA aceptiong all possible words
    // generated by abc alphabet except the words acepted by abc.
    const neg = abc.negation();

    // print dot (graphviz graph version)
    // handy for debug.
    console.log(abc.toDot());

    // serialize to json,
    // return a json description of the abc FSA.
    console.log(JSON.stringify(abc.toJSON()))

    // deserialize from json,
    // create a copy of abc.
    const f = FSA.fromJSON(abc.toJSON());

More toDot() options

The method toDot can receive one object argument to override how symbol and states are converted to strings.

Example:

    const a = new FA();

    const s = a.getStart();
    const s1 = a.newState();
    const s2 = a.newState();
    const s3 = a.newState();
    const s4 = a.newState();

    a.setFinal(s2);
    a.setFinal(s4);

    a.transition(s, 'a', s1);
    a.transition(s1, 'b', s2);

    a.transition(s, 'a', s3);
    a.transition(s3, 'c', s4);

    const ad = a.deterministic();

    // Create toString functions,

    /* toStringState:
        The function receives a state as argument.

        We are goint to rewrite start state as "START", all other states will be 
        prefixed with "S_".
     */ 
    const toStringState = (state => ad.start===state?"START":"S_" + state);

    /* toStringSymbol:
        The function receives as arguments:
            * the transition from state,
            * the transition symbol,
            * the transition to state.

        we are going to atach to each symbol->to the information of 
        the minium level of to state.        
    */
    const toStringSymbol = ((from, symbol, to) => {
        let level = 0;
        do {
            level++;
        } while (!ad.positionStates(level).has(to));

        return `${symbol} [level=${level}]`;
    });

    // now we call toDot with both functions (or with just one function),
    console.log(
        ad.toDot(
            // if a function one or the two functions are not provided then it will use the default.
            {
                toStringState,
                toStringSymbol
            }
        )
    );

    /*
        This should print something like this:

        digraph G {
            rankdir=LR;
            size="8,5"
            node [shape = doublecircle]; S_3 S_4;
            node [shape = circle];
            START -> S_2 [label = "a [level=1]"]
            S_2 -> S_3 [label = "b [level=2]"]
            S_2 -> S_4 [label = "c [level=2]"]
        }

        You can check it with this website: https://dreampuf.github.io/GraphvizOnline/
    */

Walk Methods

delta(froms, symbol)

  • froms, a set of states,
  • symbol, the transition symbol.

Example:

    const FSA = require("fsalib");
    
    // create a abc FSA
    const abc = new FSA();

    const s = abc.getStart();
    const s1 = abc.newState();
    const s2 = abc.newState();
    const s3 = abc.newState();

    abc.setFinal(s3);

    abc.transition(s, 'a', s1);
    abc.transition(s1, 'b', s2);
    abc.transition(s2, 'c', s3);

    // make first transtion with delta,
    // start from abc start state.
    const start = abc.delta(new Set([abc.getStart()]), 'a'),
    
    // we can also encapsulate calls
    const froms = abc.delta(
        abc.delta(
            start,
            'b'
        ),
        'c'
    );

    // after getting the froms results, we can get 
    // the finals using filterFinals.
    const finals = abc.filterFinals(froms);
    
    // or if only want to know that word is accepted we can do this:
    const accepted = abc.hasFinal(froms);

    // print all abc path resulting states, in this case its the final state s3
    console.log([...froms].join(", "));
    
    // print all abc path final states, in this case s3
    console.log([...finals].join(", "));
    
    // print if word abc was accepted, in this case yes (true).
    console.log(accepted);

walk(symbol, ...symbol)

The walk method is a curry function, so it can receive an arbitrary number of symbols, it can also be called by steps.

Return: the walk function return another function, with associeted attributes finals (Set) and states (Set). Words are accepted if at the end of word, states and finals are not empty.

Examples (consider abc as FSA accepting word abc):

   
   const s = abc.walk('a', 'b', 'c');
   console.log([...s.finals]);
   console.log([...s.states]);
    
    const s = abc.walk('a')('b', 'c');
    console.log([...s.finals]);
    console.log([...s.states]);
  
  const step1 = abc.walk('a');
  console.log([...step1.finals]); // finals is empty
  console.log([...step1.states]); // but states is not, 
  
  const s = step1('a', 'b');
  console.log([...s.finals]); // finals is not empty
  console.log([...s.states]); // states is not empty
    const steps = abc.walk(); // walk can be called with no symbols,
    // but returning function must always be called with at least one symbol.
    const s = steps('a')('b')('c');
    console.log([...s.finals]); // finals is not empty
    console.log([...s.states]); // states is not empty
    const accepted = abc.walk(..."abc".split("")).finals.size > 0;
    const rejected = abc.walk(..."abcd".split("")).finals.size === 0;
    
    console.log("abc is accepted: " + accepted?"yes":"no");
    console.log("abcd is accepted: " + !rejected?"yes":"no");

positionStates (position)

It will get the states on given position, where position is the walking depth 
of the FA, starting from start.

Returns a Set of states, if there is no states at the given position a empty Set 
is returned.

Example:
    const FSA = require("fsalib");

    const abc = new FSA();

    const s = abc.getStart();
    const s1 = abc.newState();
    const s2 = abc.newState();
    const s3 = abc.newState();

    abc.setFinal(s3);

    abc.transition(s, 'a', s1);
    abc.transition(s1, 'b', s2);
    abc.transition(s1, 'c', s3);
    
    const start = abc.positionStates(0);
    /**
     * the states at position 0 is the start state,
     * we walk 0 symbols from start.
     */
    console.log([...start].join(", ")); // output: s

    const depthOne = abc.positionStates(1);
    /**
     * the states at position 1, in this case are the same as
     * walk("a"), it will return s1 state.
     */
    console.log([...depthOne].join(", ")); // output: s1

    /**
     * the states at position 2, in this case are the same as
     * walk("a")("b") UNION walk("a")("c"), it will return s2 and s3 state.
     */
    const depthTwo = abc.positionStates(2);
    console.log([...depthTwo].join(", ")); // output: s2, s3

FA Fields

If walk mehods are not engough you can access the FA fields directly. Here is a example taken from the toJSON function:

    const FSA = require("fsalib");

    const fa = new FSA();
    const transitions = [];

    // this.transitions is a Map where key is a from state
    // and value is another Map with key as symbol and values 
    // a Set of destination states (tos).
    for (let [from, symbols] of fa.transitions) {
        const ss = [];
        // symbols is a Map with key symbols and value a Set of to states.
        for (let [symbol, tos] of symbols) {
            // In case FA is deterministic the tos is Set with only one element.
            ss.push([symbol, [...tos]]);
        }

        transitions.push([from, ss]);
    }

    return {
        // Final states,
        finals: [...fa.finals],
        
        // all states, including final states,
        states: [...fa.states],

        // the start state,
        start: this.start,

        // Symbols the FA alphabet,
        symbols: [...fa.symbols],

        // FA transitions,
        transitions,

        // its the state id counter,
        // everytime a state is created we return the current ids value and 
        // increment it, for next round, messing up the ids is not a good ideia. 
        ids: fa.ids
    };

More Examples

There are lot more examples/test here: https://github.com/fsvieira/fsalib/blob/master/src/fsa.test.js

Use Cases

The use cases of Finite State Automata are very large well known and document
on many sources. 

Some examples can be, regular expressions, pattern analyses/recognition, 
application/game state machines ...

With a little creativity we can found some use for a FSA, on almost any application.