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

algebraic_enum

v0.5.1

Published

An algebraic enum type for TypeScript heavily inspired by Rust.

Downloads

9

Readme

algebraic_enum CI Status

An algebraic enum type for TypeScript heavily inspired by Rust.

Getting Started

For optimal type safety, use this library in TypeScript's strict mode.

Installation

Using with Deno is as simple as adding an import to your code:

import /* ... */ "https://deno.land/x/algebraic_enum/src/mod.ts";

For Node.js, you can install with npm:

$ npm install algebraic_enum

Creating an Enum Type

You can define an algebraic enum type by using the Enum helper type. First, define and provide your variants in a separate object. Then, you can pass the type of your variants object as a generic to Enum.

Note that variant names cannot be _ as it is reserved.

import { Enum } from "https://deno.land/x/algebraic_enum/src/mod.ts";

class StatusVariants {
  Success = null;
  Failure = null;
  Pending = null;
}

type Status = Enum<StatusVariants>;

const status: Status = { Success: null };

const invalidStatus: Status = { Success: null, Failure: null };
// Compilation error, as `Enum` can only contain exactly one variant

In this case, null denotes the absence of any data on the variants. If you do not need to attach any data to any of your variants, it's probably better to simply use the built-in enum construct for your enum type.

As you can see, enum type values are plain JavaScript objects with no baggage attached, meaning no extra runtime costs, and also simplified interoperability with other libraries.

Roughly speaking, the type Status is like the union of its variants, ensuring only one variant exists. That's the main idea, however Enum does a few other things in the background to ensure type safety and better autocompletion support.

// Simplified version of Enum:
type Status = { Success: null } | { Failure: null } | { Pending: null };

For easier enum value construction, you can use the Enum.factory function:

type Status = Enum<StatusVariants>;
const Status = () => Enum.factory(StatusVariants);

const success = Status().Success();
const failure = Status().Failure();
const pending = Status().Pending();

Different Variant Data Types

You can attach data of different data types to each variant of an enum by using the Variant function. One restriction is that you cannot use undefined or void as your variant data type.

import { Enum, Variant } from "https://deno.land/x/algebraic_enum/src/mod.ts";

class StatusVariants {
  Success = Variant<string>();
  Failure = Variant<{
    code: number;
    message: string;
  }>();
  Pending = null;
}

type Status = Enum<StatusVariants>;
const Status = () => Enum.factory(StatusVariants);

const success = Status().Success("Hello World!");
const failure = Status().Failure({
  code: 404,
  message: "Not Found",
});
const pending = Status().Pending();

Match Data

You can use Enum.match to determine the correct variant and extract data from your enum:

const message = Enum.match(status, {
  Success: (data) => data,
  Failure: (data) => data.message,
  Pending: (data) => "Pending...",
});

Note that matches need to be exhaustive. You need to exhaust every last possibility in order for the code to be valid. The following code won't compile:

const code = Enum.match(status, {
  Failure: (data) => data.code,
  // Won't compile because of missing variants
});

In case you don't care about other variants, you can either use the special wildcard match _ which matches all variants not specified in the matcher, or a simple if statement:

Enum.match(status, {
  Failure: (data) => console.log(data.message),
  _: () => {},
});

// Or equivalently:
if (status.Failure !== undefined) {
  console.log(status.Failure.message); // Access is now type safe
}

Generic Enum Types

It is possible to create generic enum types:

import { Enum, Variant } from "https://deno.land/x/algebraic_enum/src/mod.ts";

class StatusVariants<T> {
  Success = Variant<T>();
  Failure = Variant<{
    code: number;
    message: string;
  }>(),
  Pending = null;
};

type Status<T> = Enum<StatusVariants<T>>;
const Status = <T>() => Enum.factory(StatusVariants<T>);

const success = Status<string>().Success("Hello World!");
const failure = Status<boolean>().Failure({
  code: 404,
  message: "Not Found",
});
const pending = Status<number>().Pending();

Mutate Enum Variant

By default, enum types are shallow read-only, meaning you can't change the variant of an existing enum value or assigning different data to an existing variant (this is prevented by TypeScript's type system which doesn't incur additional runtime performance penalty), but it's still possible to mutate the underlying variant data itself.

With Enum.mutate, you can change the variant of an existing enum value itself:

const status = Status<string>().Success("Hello World!");

Enum.mutate(status, Status<string>().Pending());
// `status` is now of variant `Pending`