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 🙏

© 2026 – Pkg Stats / Ryan Hefner

dethrown

v1.0.0

Published

Try-free result handling for TypeScript

Downloads

898

Readme

dethrown 🃏

Try-free result handling for TypeScript

Installation

Usage

dethrown helps you handle errors in TypeScript projects without relying on try/catch. It provides helpers ok and err for representing success and failure. It also includes a chain help that allows for lightweight functional handling of results.

import { err, ok, chain } from "dethrown";

function divide(numerator: number, denominator: number) {
  if (denominator === 0) {
    return err("Divide by zero error");
  }

  return ok(numerator / denominator);
}

const finalValue = chain(divide(12, 3))
  .inspect(console.log)
  .ifOK((value) => divide(value, 2))
  .ifErr((error) => err(`Something went wrong: ${error}`))
  .unwrap();

console.log(finalValue);

API Docs

ok

export function ok<T>(t: T): OK<T>

Creates an OK value representing a successful result.

Example

import { ok } from "dethrown";

const result = ok(12);
console.log(result.ok); // true
console.log(result.value); // 12

err

export function err(error: E): Err<E>

Creates an Err value respresenting a failure.

Err<Error> will often be used to wrap exceptions, but it's not required.

Example

import { err } from "dethrown";

const result = err("It broke");
console.log(result.ok); // false
console.log(result.err); // It broke

unwrap

export function unwrap<T, E>(result: Result<T, E>): T

Returns a value of type T or throws an error.

Example

import { ok, err, unwrap } from "dethrown";

const good = ok("Good");
console.log(unwrap(good)); // Good

const bad = err("So bad");

// will throw
console.log(unwrap(bad));

tryCatch

export function tryCatch<T>(fn: () => T): Result<T, Error>

tryCatch takes in a function, calls it, and returns a result containing the return value of the function or any exceptions thrown.

Example

import { tryCatch } from "dethrown";


const result = tryCatch(() => {
  return mightThrow();
});

tryCatchAsync

export async function tryCatch<T>(fn: () => Promise<T>): Promise<Result<T, Error>>

tryCatchAsync takes in an async function, calls it, and returns a result containing the return value of the function or any exceptions thrown.

Example

import { tryCatchAsync } from "dethrown";


const result = tryCatchAsync(async() => {
  return await mightThrow();
});

chain

export function chain<T,E>(r: T | Result<T, E>): ResultChain<T, E>)

Chain takes a value or a result and allows for chained calls against it. Chain itself always returns a ResultChain, but chained calls may return a ResultChain or AsyncResultChain depending on if the chained function is async or not. Once an async function is called, the remaining calls always return an AsyncResultChain.

Example

const chainResult = chain("Frank")
  .map((name) => `Hello ${name}!`)
  .map((message) => `${message} How are you?`)
  .result();

const chainResult = chain(ok("Frank"))
  .map((name) => `Hello ${name}!`)
  .map((message) => `${message} How are you?`)
  .result();

const asyncChainResult = await chain(ok("Frank"))
  .mapAsync((name) => find(name))
  .mapAsync((user) => updateUser({ name: "Frank Smith" }))
  .result();

chain.inspect

chain.inspect(fn: (r: Result<T, E>) => void): ResultChain<T, E>
asyncChain.inspect(fn: (r: Result<T, E>) => void): AsyncResultChain<T, E>

inspect calls the given function on the current result in the chain and returns a chain with the same Result. It's useful for cases like logging a value in a chain.

Example

chain("Frank")
  .map((firstName) => `${name} Smith`)
  .inspect((fullName) => console.log(fullName))
  .result();

chain.inspectAsync

chain.inspectAsync(fn: (r: Result<T, E>) => Promise<void>): AsyncResultChain<T, E>;
asyncChain.inspectAsync(fn: (r: Result<T, E>) => Promise<void>): AsyncResultChain<T, E>;

inspectAsync is identical to inspect except that it takes an async function and results in an AsyncResultChain.

Example

await chain("Frank")
  .map((firstName) => `${firstName} Smith`)
  .inspectAsync(async (fullName) => await auditLog(fullName))
  .result();

chain.map

chain.map<U>(fn: (t: T) => U): ResultChain<U, E>;
asyncChain.map<U>(fn: (t: T) => U): AsyncResultChain<U, E>;

map converts one type of OK value into another. If the current result in the chain is OK, calls fn with the current result value as an argument. Otherwise, passes the current result along the chain.

Example

chain("Frank")
  .map((firstName) => `${name} Smith`)
  result();

chain.mapAsync

chain.mapAsync<U>(fn: (t: T) => Promise<U>): AsyncResultChain<U, E>;
asyncChain.mapAsync<U>(fn: (t: T) => Promise<U>): AsyncResultChain<U, E>;

mapAsync converts one type of OK value into another, just like map, but allows the conversion function to be async. If the current result in the chain is OK, calls the given async fn with the current result value as an argument. Otherwise, passes the current result along the chain.

Example

await chain(username)
  .mapAsync(async (username) => await loadUser(username))
  .result();

chain.mapErr

chain.mapErr<S>(fn: (e: E) => S): ResultChain<T, S>;
asyncChain.mapErr<S>(fn: (e: E) => S): AsyncResultChain<T, S>;

mapErr converts one type of Err value into another. If the current result in the chain is Err, calls the given fn with the current error value as an argument. Otherwise, passes the current result along the chain.

Example

chain(err("It broke"))
  .mapErr((error) => `Cause: ${error}`)
  .result();

chain.mapErrAsync

chain.mapErrAsync<S>(fn: (e: E) => Promise<S>): AsyncResultChain<T, S>;
asyncChain.mapErrAsync<S>(fn: (e: E) => Promise<S>): AsyncResultChain<T, S>;

mapErrAsync converts one type of Err value into another, just like mapErr, but allows the conversion function to be async. If the current result in the chain is Err, calls the given async fn with the current error value as an argument. Otherwise, passes the current result along the chain.

Example

await chain(username)
  .ifOKAsync((value) => await loadUserByUsername(value))
  .mapErrAsync(async (error) => await loadUserByEmail(r.value))
  .result();

chain.ifOK

chain.ifOK<U>(fn: (r: T) => Result<U, E>): ResultChain<U, E>;
asyncChain.ifOK<U>(fn: (r: T) => Result<U, E>): ResultChain<U, E>;

If the current result in the chain is OK, calls the given fn with the current value as an argument. Otherwise, passes the current result along the chain.

Example

chain(username)
  .ifOK((value) => validateUsername(value))
  .result();

chain.ifOKAsync

chain.ifOKAsync<U>(fn: (r: T) => Promise<Result<U, E>>): AsyncResultChain<U, E>;
asyncChain.ifOKAsync<U>(fn: (r: T) => Promise<Result<U, E>>): AsyncResultChain<U, E>;

If the current result in the chain is OK, calls the given async fn with the current value as an argument. Otherwise, passes the current result along the chain.

Example

await chain(username)
  .ifOKAsync((value) => await loadUser(value))
  .result();

chain.ifErr

chain.ifErr<S>(fn: (r: E) => Result<T, S>): ResultChain<T, S>;
asyncChain.ifErr<S>(fn: (r: E) => Result<T, S>): AsyncResultChain<T, S>;

If the current result in the chain is Err, calls the given fn with the current error value as an argument. Otherwise, passes the current result along the chain.

Example

chain(divisor)
  .ifOK((value) => divide(12, value))
  .ifErr((error) => ok(0))
  .result();

chain.ifErrAsync

chain.ifErrAsync<S>(fn: (r: E) => Promise<Result<T, S>>): AsyncResultChain<T, S>;
asyncChain.ifErrAsync<S>(fn: (r: E) => Promise<Result<T, S>>): AsyncResultChain<T, S>;

If the current result in the chain is Err, calls the given async fn with the current error value as an argument. Otherwise, passes the current result along the chain.

Example

await chain(newPlan)
  .ifOKAsync((r) => await setPlan(r.value))
  .ifErrAsync((r) => {
    return err({
      message: r.err.message,
      planOptions: await listPlans()
    });
  })
  .result();

chain.result

chain.result(): Result<T, E>;
asyncChain.result: Promise<Result<T,E>>;

Returns the last result value on the chain. If it's an async chain, returns a promise that will resolve to the last result once all promises in the chain have completed.

Example

// returns a Result<User, unknown>
chain(userId)
  .map(loadUser)
  .result();

chain.unwrap

chain.unwrap(): T;
asyncChain.unwrap(): Promise<T>;

Like unwrap, either returns the success value or throws the error value for the last result on the chain.

Example

// returns the user or throws if the user wasn't found
chain(userId)
  .map(loadUser)
  .unwrap();

License

MIT. See LICENSE for details.