Run synchronous and asynchronous code without throwing errors.
This is a tiny (about 750 bytes when minified & gzipped) library to help avoid try / catch
and uncaught errors.
It has 100% test coverage and extensive JSDocs.
Tiny footprint, maximum utility. At under 1KB, this library provides comprehensive error handling without bloating your bundle - essential for performance-critical applications.
Zero runtime overhead for success cases. Unlike try-catch blocks that require stack unwinding, successful operations return immediately with lightweight frozen tuples.
Bulletproof error normalization. All errors become proper Error
objects with consistent structure, preventing the security and debugging issues that come from arbitrary thrown values.
Functional composition ready. The Result pattern enables clean error handling in pipelines without breaking function composition or requiring nested exception handling.
Idempotent operations. succeed()
and fail()
safely handle already-wrapped results, preventing double-wrapping bugs common in complex error handling chains.
Sync/async parity. Identical APIs for synchronous and asynchronous operations mean consistent error handling patterns across your entire codebase.
Immutable by design. All results are frozen tuples with hidden metadata, preventing accidental mutations while maintaining type safety through symbol-based internal state.
Production-hardened. 100% test coverage, security-focused implementation, and battle-tested patterns borrowed from languages like Rust and Go.
npm i @aegisjsproject/attempt
<script type="importmap">
{
"imports": {
"@aegisjsproject/attempt": "https://unpkg.com/@aegisjsproject/attempt@1.0.3/attempt.min.js"
}
}
</script>
helper | description |
---|---|
attemptAsync(fn, …args) attempt(fn, …args) |
Runs fn (sync or async) via Promise.try . Returns: Promise<[value, error]> . |
attemptSync(fn, …args) |
Runs a synchronous function. Returns: [value, error] . Throws TypeError if fn is async. |
createSafeAsyncCallback(fn) |
Decorates any function once → returns a proxy that always yields Promise<[value, error]> . |
createSafeSyncCallback(fn) |
Decorates a sync function → returns a proxy that yields [value, error] . |
createSafeCallback |
Alias of createSafeAsyncCallback . |
succeed(value) |
Force a frozen [value, null] tuple. |
fail(err) |
Force a frozen [null, Error] tuple (normalises non‑Error throws). |
isAttemptResult(result) |
Checks is a value is a valid [value, error] tuple as created by succeed() or fail() . |
succeeded(result) |
Checks is a value is a valid [value, null] tuple as created by succeed() . |
failed(result) |
Checks is a value is a valid [null, error] tuple as created by fail() . |
getResultValue(result) |
Gets the AttemptResult value of a successful result. |
getResultError(result) |
Gets the AttemptResult error of a failed result. |
handleResultAsync(result, { success, failure }) |
Handles an AttemptResult asynchronously by invoking the appropriate callback. |
handleResultSync(result, { success, failure }) |
Handles an AttemptResult synchronously by invoking the appropriate callback. |
throwIfFailed(result) |
Handle errors the typical try/catch way by throwing the error in an AttemptFailure . |
attemptAll(...callbacks) |
Attempts to execute multiple callbacks sequentially, passing the result of each callback to the next. |
This library requires Promise.try() to work. As of July of 2025, it has > 80% support, and polyfills are simple and readily available.
For best type safety, @aegisjsproject/attempt
can deal with results directly, with methods for checking
result status, extracting values/errors from a result, etc.
import { succeed, fail, succeeded, failed, getResultValue, getResultError } from '@aegisjsproject/attempt';
const result = Math.random() < 0.5 ? succeed('That number is ok') : fail(new RangeError('Number was too small'));
if (succeeded(result)) {
const msg = getResultValue(result);
// Handle result value
} else if (failed(result)) {
// could just be an `else` but IDEs do better using `failed` as it ensures it's an `AttemptFailure`
const err = getResultError(result);
// Handle result error
}
Since an AttemptResult
is a frozen tuple of [val, err]
, you also have the option to just destructure
it and handle results in what may be a more familiar or convenient way.
import { attemptAsync, createSafeSyncCallback, createSafeAsyncCallback } from '@aegisjsproject/attempt';
const unsafeFunction = (num) => {
if (num > 0.5) {
throw new Error(`${num} is greater than 0.5`);
} else {
return num;
}
};
const safeFunction = createSafeSyncCallback(unsafeFunction);
const safeParse = createSafeSyncCallback(JSON.parse);
const safeFetch = createSafeAsyncCallback(async (url, init) => {
const resp = await fetch(url, init);
if (resp.ok) {
return await resp.json();
} else {
throw new Error(`${resp.url} [${resp.status}]`);
}
});
const [num, err] = safeFunction(Math.random()); // 50% chance of throwing, but it'll return the error instead
safeParse('{Invalid JSON}');
const [value, error] = await attemptAsync(fetch, '/api', { signal: AbortSignal.abort('Request cancelled') });
if (error) { … } // always an Error instance
else { …value… } // may be any value (even null/undefined)
import { attemptAll } from '@aegisjsproject/attempt';
const [sri] = await attemptAll(
() => import('node:fs/promises'),
fs => fs.readFile('/path/to/file.txt', 'utf8'),
text => new TextEncoder().encode(text),
encoded => crypto.subtle.digest('SHA-256', encoded),
hash => new Uint8Array(hash),
bytes => bytes.toBase64(),
hash => `sha256-${hash}`
);