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

funzo

v0.2.0

Published

A bunch of descriptive statistics (and related) functions

Downloads

26

Readme

Funzo - a bunch of core descriptive statistics (and related) functions

Funzo wraps an array of arbitrary items and provides functions to calculate their basic statistical properties:

  • sum
  • maximum value
  • minimum value
  • mean
  • median
  • standard deviation
  • entropy.

It can also calculate some properties describing a relationship between two data sets:

  • correlation
  • mutual information.

It is designed to prefer memory savings over array access complexity. You can filter your data multiple times:

Funzo(data)
    .filter(x => x > 0)
    .filter(x => x % 2 === 0)
    .map()
    .mean()

and yet there will be no subsets of the original array in RAM. Funzo filters data in a lazy way which makes it suitable for sequential processing (it is what aggregation functions actually do) but random access time complexity is O(n).

Funzo comes with d.ts TypeScript declaration file which makes writing code much easier when using a compatible editor (VScode, Atom, WebStorm,...).

/// <reference path="/path/to/funzo.d.ts" />

Available interfaces

FunzoData type (a wrapper for processed data)

FunzoData represents a wrapper for raw user data with structured items of different types, including items we have to filter out. Some FunzoData methods produce other FunzoData but most of them return Processable type (see below) which represent a cleaned data.

  • filter(fn:(v:T)=>boolean):FunzoData
  • sample(size:number):FunzoData
  • map(fn?:(v:T)=>number):Processable
  • numerize():Processable
  • round(places):Processable
  • probs(key?:(v:any)=>string):Processable

Processable type (a processable variant of FunzoData)

Processable type represents cleaned data.

  • get(idx:number):number
  • each(fn:(v:number, i:number)=>any)
  • toArray():Array
  • size():number
  • sum():number
  • max():number
  • min():number
  • mean():number
  • stdev():number
  • correl<U>(otherData:Processable):number
  • median():number
  • entropy(base:number):number
  • joint(otherData:Processable):FunzoJointData

FunzoJointData

This type is used for joint probabilities.

  • mi(base:number):number - Mutual information

How to use Funzo

> make Funzo available in your code

let Funzo = require('funzo').Funzo;

> wrap your data

let someData = [1, 2, 7, 10, 0, 1, -1, 7];
let procData = Funzo(someData);


let structuredData = [{m: 5}, {m: 10}, {m: 15}, {m: 20}];
let procData2 = Funzo(structuredData);

> tell Funzo how to access the actual values

someData.map();

procData2.map(x => x.m);

Examples

Simple arrays

By calling map() we tell Funzo how to access numeric values within the array. In case the items are numbers themselves, an empty argument can be used which tells Funzo to use an identity x => x:

let values = [10, 20, 30, 40];
let mean = Funzo(values).map().mean();

Arrays with structured items

To be able to work with lists of objects where numeric values are wrapped in objects we pass a custom function to map():

let values = [{m: 5}, {m: 10}, {m: 15}, {m: 20}];
let stdev = Funzo(values2).map(item => item.m).stdev();

Helper map functions

If we want to convert invalid values or parse string-encoded numbers automatically you can use numerize() instead of map() + a custom conversion function:

let sumRawData = Funzo(['1', '2.7', null, {'foo': 'x'}]).numerize().sum();
// (should produce 3.7 as the non-numeric values have been replaced by zeros)

We can also round input values of an array:

let mean = Funzo([3.1416, 2.79, 1.59]).round(1).mean();
// the mean has been calculated using rounded values [3.1, 2.8, 1.6]

Creating a sample from a big array

We can create a sample from a bigger array:

let stdev = Funzo(superArray).sample(1000).map().stdev();

Calculating correlation between two datasets

When calculating correlation, arrays containing different item types can be used:

Funzo(values1).map().correl(Funzo(values2).map(item => item.m));
// values1 is a list of numbers while values2 is a list
// of objects where numbers are under attribute 'm'

Calculating entropy

let data = [{name: 'john'}, {name: 'paula'}, {name: 'john'}, {name: 'dana'}];

Funzo(data).probs(x => x.name).entropy(2);

Calculating mutual information of two datasets

let vals1 = [1, 2, 3, 4, 5, 6];
let vals2 = [1, 2, 2, 4, 6, 6];
let mutualInfo = Funzo(val1).map().joint(Funzo(vals2).map()).mi(2);

Simplified interface

In some cases it can be more convenient to use a simplified version of the interace:

let wrapArray = require('funzo').wrapArray;
let stdev = wrapArray([{v: 1}, {v: 2}, {v: 3}, {v: 4}, {v: 5}], x => x.v).stdev();