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 🙏

© 2025 – Pkg Stats / Ryan Hefner

switch-ts

v2.0.0

Published

Switch-case with support for complex conditions for TypeScript

Readme

switch-ts

npm version CI TypeScript License: MIT

A TypeScript library for pattern matching with full type safety and exhaustiveness checking.

This library provides a declarative, fluent interface for implementing pattern matching in TypeScript, offering type-safe value matching, type guards, predicate combinators, and compile-time exhaustiveness checking.

Installation

npm install switch-ts

Usage

Basic Example

import { when, eq, then } from 'switch-ts';

const result = when(2)
  .is(eq(1), then('one'))
  .is(eq(2), then('two'))
  .otherwise(then('other'));

console.log(result); // 'two'

Value Matching

import { when } from 'switch-ts';

const result = when(2)
  .isValue(1, 'one')
  .isValue(2, 'two')
  .otherwise(() => 'other');

console.log(result); // 'two'

Type-Safe Matching with Type Guards

import { when, isString, isNumber } from 'switch-ts';

const value: string | number = 'hello';

const result = when(value)
  .isType(isString, (v) => v.toUpperCase())
  .isType(isNumber, (v) => v.toFixed(2))
  .otherwise(() => 'unknown');

console.log(result); // 'HELLO'

Range Matching

import { when, between, betweenExclusive, then } from 'switch-ts';

const score = 85;

const grade = when(score)
  .is(between(90, 100), then('A'))
  .is(between(80, 89), then('B'))
  .is(between(70, 79), then('C'))
  .is(between(60, 69), then('D'))
  .otherwise(then('F'));

console.log(grade); // 'B'

Array Membership Matching

import { when, oneOf, noneOf, then } from 'switch-ts';

type Status = 'active' | 'pending' | 'approved' | 'deleted' | 'archived';

const status: Status = 'active';

const result = when(status)
  .is(oneOf(['active', 'pending', 'approved']), then('valid'))
  .is(oneOf(['deleted', 'archived']), then('invalid'))
  .otherwise(then('unknown'));

console.log(result); // 'valid'

// Using noneOf for exclusion
const isActive = when(status)
  .is(noneOf(['deleted', 'archived']), then('active status'))
  .otherwise(then('inactive status'));

console.log(isActive); // 'active status'

Predicate Combinators

import { when, all, any, not, gt, lt, eq, then } from 'switch-ts';

const value = 5;

// Logical AND - all predicates must pass
const result1 = when(value)
  .is(all([gt(0), lt(10)]), then('in range'))
  .otherwise(then('out of range'));

console.log(result1); // 'in range'

// Logical OR - any predicate must pass
const result2 = when(value)
  .is(any([eq(2), eq(3), eq(5)]), then('prime'))
  .otherwise(then('not prime'));

console.log(result2); // 'prime'

// Logical NOT - negate a predicate
const result3 = when(value)
  .is(not(eq(0)), then('not zero'))
  .otherwise(then('zero'));

console.log(result3); // 'not zero'

HTTP Status Code Handling

import { when, all, ge, lt, then } from 'switch-ts';

const getStatusCategory = (status: number) =>
  when(status)
    .is(all([ge(200), lt(300)]), then('Success'))
    .is(all([ge(300), lt(400)]), then('Redirect'))
    .is(all([ge(400), lt(500)]), then('Client Error'))
    .is(all([ge(500), lt(600)]), then('Server Error'))
    .otherwise(then('Unknown'));

console.log(getStatusCategory(200)); // 'Success'
console.log(getStatusCategory(404)); // 'Client Error'
console.log(getStatusCategory(500)); // 'Server Error'

State Machine

import { when } from 'switch-ts';

type State = 'idle' | 'loading' | 'success' | 'error';
type Action = 'start' | 'resolve' | 'reject' | 'reset';

const transition = (state: State, action: Action): State =>
  when(state)
    .isValue(
      'idle',
      when(action).isValue('start', 'loading' as State).otherwise(() => state)
    )
    .isValue(
      'loading',
      when(action)
        .isValue('resolve', 'success' as State)
        .isValue('reject', 'error' as State)
        .otherwise(() => state)
    )
    .isValue(
      'success',
      when(action).isValue('reset', 'idle' as State).otherwise(() => state)
    )
    .isValue(
      'error',
      when(action).isValue('reset', 'idle' as State).otherwise(() => state)
    )
    .otherwise(() => state);

console.log(transition('idle', 'start'));      // 'loading'
console.log(transition('loading', 'resolve')); // 'success'
console.log(transition('success', 'reset'));   // 'idle'

Exhaustiveness Checking

import { when, exhaustive } from 'switch-ts';

type Status = 'pending' | 'approved' | 'rejected';

const getMessage = (status: Status): string =>
  when(status)
    .isValue('pending', 'Waiting for approval')
    .isValue('approved', 'Request approved')
    .isValue('rejected', 'Request rejected')
    .otherwise(() => exhaustive(status)); // TypeScript error if any case is missing

console.log(getMessage('pending'));  // 'Waiting for approval'
console.log(getMessage('approved')); // 'Request approved'

// If you add a new status without handling it, TypeScript will show a compile error

API Reference

Core Functions

when<T>(value: T): When<T>

Initiates a pattern matching expression with the provided value.

when(value)
  .is(predicate, producer)
  .isValue(expectedValue, result)
  .isType(guard, producer)
  .isAny(predicates, producer)
  .isAll(predicates, producer)
  .otherwise(producer);

Matching Methods

.is(predicate, producer)

Matches when the predicate returns true.

when(x).is((v) => v > 0, then('positive'))

.isValue(expectedValue, result)

Matches when the value strictly equals the expected value using ===.

when(x).isValue(42, 'the answer')

.isType(guard, producer)

Matches when the type guard returns true, providing type narrowing.

when(value).isType(isString, (v) => v.toUpperCase())

.isAny(predicates, producer)

Matches when any predicate in the array returns true (logical OR).

when(x).isAny([eq(1), eq(2), eq(3)], then('one, two, or three'))

.isAll(predicates, producer)

Matches when all predicates in the array return true (logical AND).

when(x).isAll([gt(0), lt(10)], then('between 0 and 10'))

.otherwise(producer)

Provides a default value when no predicates match. This is required to complete the pattern matching chain.

when(x).is(eq(1), then('one')).otherwise(then('other'))

Helper Functions

then<T>(value: T): () => T

Creates a constant producer function that always returns the given value.

when(x).is(eq(1), then('one'))

Comparison Predicates

eq<T>(expected: T): (actual: T) => boolean

Creates an equality comparison predicate (===).

when(x).is(eq(42), then('matched'))

ne<T>(expected: T): (actual: T) => boolean

Creates an inequality comparison predicate (!==).

when(x).is(ne(0), then('not zero'))

gt<T>(threshold: T): (value: T) => boolean

Creates a greater-than comparison predicate (>).

when(x).is(gt(0), then('positive'))

lt<T>(threshold: T): (value: T) => boolean

Creates a less-than comparison predicate (<).

when(x).is(lt(0), then('negative'))

ge<T>(threshold: T): (value: T) => boolean

Creates a greater-than-or-equal comparison predicate (>=).

when(x).is(ge(0), then('non-negative'))

le<T>(threshold: T): (value: T) => boolean

Creates a less-than-or-equal comparison predicate (<=).

when(x).is(le(10), then('at most ten'))

Range Predicates

between<T>(min: T, max: T): (value: T) => boolean

Creates a predicate that checks if a value is within a range (inclusive).

when(score).is(between(0, 100), then('valid score'))

betweenExclusive<T>(min: T, max: T): (value: T) => boolean

Creates a predicate that checks if a value is within a range (exclusive).

when(age).is(betweenExclusive(18, 65), then('working age'))

Array Predicates

oneOf<T>(values: readonly T[]): (value: T) => boolean

Creates a predicate that checks if a value is included in an array.

when(status).is(oneOf(['active', 'pending', 'approved']), then('valid status'))

noneOf<T>(values: readonly T[]): (value: T) => boolean

Creates a predicate that checks if a value is not included in an array.

when(status).is(noneOf(['deleted', 'archived']), then('active status'))

Type Guard Predicates

isString(value: unknown): value is string

Type guard for string values.

when(value).isType(isString, (v) => v.toUpperCase())

isNumber(value: unknown): value is number

Type guard for number values.

when(value).isType(isNumber, (v) => v.toFixed(2))

isBoolean(value: unknown): value is boolean

Type guard for boolean values.

when(value).isType(isBoolean, (v) => v ? 'yes' : 'no')

isNull(value: unknown): value is null

Type guard for null values.

when(value).isType(isNull, () => 'is null')

isUndefined(value: unknown): value is undefined

Type guard for undefined values.

when(value).isType(isUndefined, () => 'is undefined')

Logical Combinators

all<T>(predicates: readonly ((value: T) => boolean)[]): (value: T) => boolean

Combines multiple predicates with logical AND. All predicates must return true.

when(x).is(all([gt(0), lt(10)]), then('between 0 and 10'))

any<T>(predicates: readonly ((value: T) => boolean)[]): (value: T) => boolean

Combines multiple predicates with logical OR. At least one predicate must return true.

when(x).is(any([eq(1), eq(2), eq(3)]), then('one, two, or three'))

not<T>(predicate: (value: T) => boolean): (value: T) => boolean

Negates a predicate, returning the opposite boolean value.

when(x).is(not(eq(0)), then('not zero'))

Exhaustiveness Checking

exhaustive(value: never): never

Ensures exhaustive checking of all cases in pattern matching. This function should never be reached if all cases are handled. Throws an error if called, indicating a missing case in the pattern match.

type Status = 'pending' | 'approved' | 'rejected';

const getMessage = (status: Status): string =>
  when(status)
    .isValue('pending', 'Waiting')
    .isValue('approved', 'Approved')
    .isValue('rejected', 'Rejected')
    .otherwise(() => exhaustive(status)); // TypeScript error if any case is missing

Important Notes

Type Safety

This library provides full TypeScript type safety with:

  • Type narrowing through type guards
  • Exhaustiveness checking for union types
  • Compile-time validation of pattern completeness

Performance Considerations

Pattern matching evaluation is short-circuit: once a predicate matches, subsequent predicates are not evaluated. Order your predicates from most specific to most general for optimal performance.

Comparison with Native Switch

Unlike native JavaScript switch statements, switch-ts provides:

  • Type-safe pattern matching with type narrowing
  • First-class support for complex predicates
  • Exhaustiveness checking at compile time
  • Functional composition through predicate combinators
  • Immutable, expression-based syntax

License

This project is licensed under the MIT License - see the LICENSE file for details.