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

optionals

v1.0.6

Published

A javascript (typescript) library inspired by scala's Option monad.

Downloads

75

Readme

Optionals

An implementation of Scala's Option type, written in javascript, with included type definition files for use in typescript.

Build Status

Installation

npm install --save optionals


Typescript

Typescript is awesome, and this library includes the type definition files for those who want to include it in their typescript project.

///<reference path="../../node_modules/optionals/lib/option.d.ts"/>

Constructors

An Option represents a container which holds at most 1 value; it can either hold some value, or it can hold none. As such, there are two constructors for an Option, Some and None. Use Some when you have a definite value, and use None otherwise.

Example (in typescript):

import {Some, None, Option} from 'optionals';

export function getContactForPhoneNumber(number: String): Option<String> {
    if (hasContactForNumber(number)) {
        let contact = getContactForNumber(number);
        return new Some(contact);
    }
    else {
        return new None();
    }
}

Then, from another file, we could say:

import {getContactForPhoneNumber} from 'number-lookup-service';

let contact = getContactForPhoneNumber('867-5309').match({
    some: contact => doSomethingWithContact(contact),
    none: () => throwErrorOrDoSomethingElse()
});

This removes ambiguous if-statements and null-checks in a type-safe manner - anything returned from either branch of the match function must be of the same type (when using the provided typescript declaration files), so we know contact will have the correct type.

The API

The following functions are implementations of the equivalent Scala Option functions, and they are:

match

match<U>(matcher: { some: (val: T) => U, none: () => U }): U

You saw the match function used above. One of the amazing things about Scala is its pattern matching, which enables code such as:

val s = Some(123)
s match {
  case Some(v) => doSomethingWithTheValue(v)
  case None => throwErrorOrSomething()
}

Since the match keyword isn't part of javascript, this library does its best to emulate the functionality, with:

let s = new Some(123);
s.match({
    some: v => doSomethingWithTheValue(v),
    none: () => throwErrorOrSomething()
});

While this library doesn't bring full-fledged pattern matching to javascript, it offers the functionality to Options - a functionality without which they would be fairly incomplete.

get

get(): T

Returns the option's value, undefined if the option is None.

Example:

let s = new Some(123);
s.get()   // 123
let n = new None();
n.get()  // undefined

isEmpty

isEmpty(): Boolean

Returns true if the option is None, false otherwise.

Example:

let s = new Some('Cinnamon');
s.isEmpty()  // false
let n = new None();
s.isEmpty()  // true

isDefined

isDefined(): Boolean

Returns true if the option is an instance of Some, false otherwise.

isDefined is the negation of isEmpty, so an example isn't necessary.

contains

contains(value: T): Boolean

Tests whether the option contains a given value as its element.

Example:

let s = new Some([1, 2, 3]);
s.contains([1, 2, 3]);  // true
let n = new None();
n.contains('anything');  // false

exists

exists(predicate: (value: T) => Boolean): Boolean

Returns true if this option is nonempty and the predicate returns true when applied to this option's value.

Example:

let s = new Some([1, 2, 3]);
s.exists(val => _.contains(val, 2))  // true
let n = new None();
n.exists(val => _.contains(val, 2))  // false

filter

filter(predicate: (value: T) => Boolean): Option<T>

Returns an option if it is nonempty and applying the predicate to this option's value returns true.

Example (same as above; note the difference in return type):

let s = new Some([1, 2, 3]);
s.filter(val => _.contains(val, 2))  // new Some([1, 2, 3])
let n = new None();
n.filter(val => _.contains(val, 2))  // new None()

flatMap

flatMap<U>(transformer: (value: T) => Option<U>): Option<U>

Returns the result of applying the transformer to this option's value if this option is nonempty.

Example:

let s = new Some([1, 2, 3]);
s.flatMap(a => new Some(a[0]))  // new Some(1)
let n = new None();
n.flatMap(a => new Some(a[0]))  // new None()

map

map<U>(transformer: (value: T) => U): Option<U>

Returns an option containing the result of applying the transformer to this option's value if this option is nonempty.

Example (again, same as above; note the difference in return type of transformer):

let s = new Some([1, 2, 3]);
s.map(a => a[0])  // new Some(1)
let n = new None();
n.map(a => a[0])  // new None()

In using map and flatMap, you really begin to see the power and flexibility of using Options in your code - the eliminate a lot of null-checks and allow you to perform operations on values as if you were certain you had them. Leave it up to the Option to do the resolution for you.

flatten

flatten<U>(): Option<U>

Collapse nested options into an option at most 1-layer deep.

Example:

let nested = new Some(new Some(new Some(123)));
nested.flatten()  // new Some(123)

getOrElse

getOrElse(other: T): T

Returns the option's value if it exists, other if it does not.

Example:

let n = new None();
s.getOrElse('default');  // 'default'

orNull

orNull(): T

Returns the option's value if it exists, null if it does not. This is functionally equivalent to saying getOrElse(null).

Why?

I love Scala almost as much as I love javascript, and I felt that the community was missing out on the functionality provided by the Scala Option API. It's simple and easy to work with, and allows for code to be written in a much more beautiful way.