errore
Go-style error handling for TypeScript. Functions return errors instead of throwing them — but instead of Go's two-value tuple (val, err), you return a single Error | T union. Instead of checking err != nil, you check instanceof Error. TypeScript narrows the type automatically. No wrapper types, no Result monads, just unions and instanceof.
const user = await getUser(id)
if (user instanceof Error) return user // early return, like Go
console.log(user.name) // TypeScript knows: User
Rules
-
Always
import * as errore from 'errore'— namespace import, never destructure -
Never throw for expected failures — return errors as values
-
Never return
unknown | Error— the union collapses tounknown, breaks narrowing. Common trap:res.json()returnsunknown, soreturn await res.json()makes the return typeMyError | unknown→unknown. Fix: cast withas→return (await res.json()) as User -
Avoid
try-catchfor control flow — use.catch()for async boundaries,errore.tryfor sync boundaries -
Use
createTaggedErrorfor domain errors — gives you_tag, typed properties,$variableinterpolation,cause,findCause,toJSON, and fingerprinting -
Let TypeScript infer return types — only add explicit annotations when they improve readability (complex unions, public APIs) or when inference produces a wider type than intended
-
Use
causeto wrap errors —new MyError({ ..., cause: originalError }) -
Use
| nullfor optional values, not| undefined— three-way narrowing:instanceof Error,=== null, then value -
Use
const+ expressions, neverlet+ try-catch — ternaries, IIFEs,instanceof Error -
Always handle errors inside
ifbranches with early exits, keep the happy path at root — like Go'sif err != nil { return err }, check the error, exit (return/continue/break), and continue the success path at the top indentation level. This makes the happy path readable top-to-bottom with minimal nesting -
Always include
Errorhandler inmatchError— required fallback for plain Error instances -
Use
.catch()for async boundaries,errore.tryfor sync boundaries — only at the lowest call stack level where you interact with uncontrolled dependencies (third-party libs,JSON.parse,fetch, file I/O). Your own code should return errors as values, not throw. -
Always wrap
.catch()in a tagged domain error —.catch((e) => new MyError({ cause: e })). The.catch()callback receivesany, but wrapping in a typed error gives the union a concrete type. Never use.catch((e) => e as Error)— always wrap. -
Always pass
causein.catch()callbacks —.catch((e) => new MyError({ cause: e })), never.catch(() => new MyError()). Withoutcause, the original error is lost andisAbortErrorcan't walk the chain to detect aborts. Thecausepreserves the full error chain for debugging and abort detection. -
Always prefer
errore.tryovererrore.tryFn— they are the same function, buterrore.tryis the canonical name -
Use
errore.isAbortErrorto detect abort errors — never checkerror.name === 'AbortError'manually, because tagged abort errors have their tag as.name -
Custom abort errors MUST extend
errore.AbortError— soisAbortErrordetects them in the cause chain even when wrapped by.catch() -
Keep abort checks flat — check
isAbortError(result)first as its own early return, thenresult instanceof Erroras a separate early return. Never nestisAbortErrorinsideinstanceof Error:const result = await fetchData({ signal }).catch( (e) => new FetchError({ cause: e }), ) if (errore.isAbortError(result)) return 'Request timed out' if (result instanceof Error) return `Failed: ${result.message}` -
Don't reassign after error early returns — TypeScript narrows the original variable automatically after
instanceof Errorchecks return. Aconst narrowed = resultalias is redundant:const result = await fetch(url).catch((e) => new FetchError({ cause: e })) if (result instanceof Error) return `Failed: ${result.message}` await result.json() // TS knows result is Response here -
Always log errors that are not propagated — when an error branch doesn't
returnorthrowthe error (i.e. the error is intentionally swallowed), add aconsole.warnorconsole.errorso failures are visible during debugging. Silent error swallowing makes bugs invisible:// BAD: error silently ignored — if sync fails you'll never know const result = await syncToCloud(data) if (result instanceof Error) { // nothing here — silent failure } // GOOD: log before continuing — error is visible in logs const result = await syncToCloud(data) if (result instanceof Error) { console.warn('Cloud sync failed:', result.message) }Propagated errors (
return error) don't need logging — the caller handles them. But errors you choose to ignore must leave a trace. This applies to loops withcontinue, fallback branches, and any path where the error is intentionally dropped.
TypeScript Rules
-
Object args over positional —
({id, retries})not(id, retries)for functions with 2+ params -
Expressions over statements — use IIFEs, ternaries,
.map/.filterinstead oflet+ mutation -
Early returns — check and return at top, don't nest. Combine conditions:
if (a && b)notif (a) { if (b) } -
No
any— search for proper types, useas unknown as Tonly as last resort -
causenot template strings —new Error("msg", { cause: e })notnew Error(`msg ${e}`) -
No uninitialized
let— use IIFE with returns instead oflet x; if (...) { x = ... } -
Type empty arrays —
const items: string[] = []notconst items = [] -
Module imports for node builtins —
import fs from 'node:fs'thenfs.readFileSync(...), not named imports -
Let TypeScript infer return types — don't annotate return types by default. TypeScript infers them from the code and the inferred type is always correct. Only add an explicit return type when it genuinely improves readability (complex unions, public API boundaries) or when inference produces a wider type than intended:
// let inference do its job function getUser(id: string) { const user = await db.find(id) if (!user) return new NotFoundError({ id }) return user } // explicit annotation when it adds clarity on a complex public API function processRequest( req: Request, ): Promise<ValidationError | AuthError | DbError | null | Response> { // ... } -
.filter(isTruthy)not.filter(Boolean)—Booleandoesn't narrow types, so(T | null)[]stays(T | null)[]after filtering. Use a type guard:function isTruthy<T>(value: T): value is NonNullable<T> { return Boolean(value) } const items = results.filter(isTruthy) -
controller.abort()must use typed errors —abort(reason)throwsreasonas-is. MUST pass a tagged error extendingerrore.AbortError, NEVERnew Error()or a string — otherwiseisAbortErrorcan't detect it in the cause chain:class TimeoutError extends errore.createTaggedError({ name: 'TimeoutError', message: 'Request timed out for $operation', extends: errore.AbortError, }) {} controller.abort(new TimeoutError({ operation: 'fetch' })) -
Never silently suppress errors — empty
catch {}and unlogged error branches hide failures. With errore you rarely need catch at all, but at any boundary where an error is not propagated, always log it (see rule 20):const emailResult = await sendEmail(user.email).catch( (e) => new EmailError({ email: user.email, cause: e }), ) if (emailResult instanceof Error) { console.warn('Failed to send email:', emailResult.message) }
Flat Control Flow
Keep block nesting minimal. Every level of indentation is cognitive load. The ideal function reads top to bottom at root level — checks and early returns, no else, no nested if, no try-catch.
Core pattern — call → check error → exit if error → continue at root. This is the single most important structural rule.
Go:
user, err := getUser(id)
if err != nil {
return fmt.Errorf("get user: %w", err)
}
// user is valid here, at root level
posts, err := getPosts(user.ID)
if err != nil {
return fmt.Errorf("get posts: %w", err)
}
// posts is valid here, at root level
return render(user, posts)
errore (identical structure):
const user = await getUser(id)
if (user instanceof Error) return user
const posts = await getPosts(user.id)
if (posts instanceof Error) return posts
return render(user, posts)
The reader scans the left edge of the function to follow the happy path — just like reading a Go function where if err != nil blocks are speed bumps you skip over.
No else — early return eliminates it: if (x) return 'A'; return 'B'
No else if chains — sequence of early-return if blocks:
function getStatus(code: number): string {
if (code === 200) return 'ok'
if (code === 404) return 'not found'
if (code >= 500) return 'server error'
return 'unknown'
}
Flatten nested if — invert conditions and return early. if (A) { if (B) { ... } } becomes if (!A) return; if (!B) return; .... The transformation rule: take the outermost if condition, negate it, return the failure case, then continue at root level. Repeat for each nested if. The happy path falls through to the end.
Avoid try-catch for control flow — try-catch is the worst offender for nesting. It forces a two-branch structure (try + catch) and hides which line threw. Convert exceptions to values at boundaries:
async function loadConfig(): Promise<Config> {
const raw = await fs
.readFile('config.json', 'utf-8')
.catch((e) => new ConfigError({ reason: 'Read failed', cause: e }))
if (raw instanceof Error) return { port: 3000 }
const parsed = errore.try({
try: () => JSON.parse(raw) as Config,
catch: (e) => new ConfigError({ reason: 'Invalid JSON', cause: e }),
})
if (parsed instanceof Error) return { port: 3000 }
if (!parsed.port) return { port: 3000 }
return parsed
}
Errors in branches, happy path at root — always handle errors inside if blocks, never success logic. Error handling goes in branches with early exits. Putting success logic inside if blocks inverts the flow and buries the happy path. If you see !(x instanceof Error) in a condition, you've inverted the pattern — flip it.
Keep the happy path at minimum indentation — the reader scans down the left edge to follow the main logic:
async function handleRequest(req: Request): Promise<AppError | Response> {
const body = await parseBody(req)
if (body instanceof Error) return body
const user = await authenticate(req.headers)
if (user instanceof Error) return user
const permission = checkPermission(user, body.resource)
if (permission instanceof Error) return permission
const result = await execute(body.action, body.resource)
if (result instanceof Error) return result
return new Response(JSON.stringify(result), { status: 200 })
}
Same in loops — error in if + continue, happy path flat:
for (const id of ids) {
const item = await fetchItem(id)
if (item instanceof Error) {
console.warn('Skipping', id, item.message)
continue
}
await processItem(item)
results.push(item)
}
Patterns
Expressions over Statements
Always prefer const with an expression over let assigned later. This eliminates mutable state and makes control flow explicit. Escalate by complexity:
Simple: ternary
const user = fetchResult instanceof Error ? fallbackUser : fetchResult
Medium: IIFE with early returns — when a ternary gets too nested or involves multiple checks, use an IIFE. It scopes all intermediate variables and uses early returns for clarity:
const config: Config = (() => {
const envResult = loadFromEnv()
if (!(envResult instanceof Error)) return envResult
const fileResult = loadFromFile()
if (!(fileResult instanceof Error)) return fileResult
return defaultConfig
})()
Every
let x; if (...) { x = ... }can be rewritten asconst x = ternaryorconst x: T = (() => { ... })(). The IIFE pattern is idiomatic in errore code — it keeps error handling flat with early returns while producing a single immutable binding.
Defining Errors
import * as errore from 'errore'
class NotFoundError extends errore.createTaggedError({
name: 'NotFoundError',
message: 'User $id not found in $database',
}) {}
createTaggedErrorgives you_tag, typed$variableproperties,cause,findCause,toJSON, fingerprinting, and a static.is()type guard — all for free. Omitmessageto let the caller provide it at construction time:new MyError({ message: 'details' }). The fingerprint stays stable. Reserved variable names that cannot be used in templates:$_tag,$name,$stack,$cause.
Instance properties:
err._tag // 'NotFoundError'
err.id // 'abc' (from $id)
err.database // 'users' (from $database)
err.message // 'User abc not found in users'
err.messageTemplate // 'User $id not found in $database'
err.fingerprint // ['NotFoundError', 'User $id not found in $database']
err.cause // original error if wrapped
err.toJSON() // structured JSON with all properties
err.findCause(DbError) // walks .cause chain, returns typed match or undefined
NotFoundError.is(val) // static type guard
Returning Errors
async function getUser(id: string) {
const user = await db.findUser(id)
if (!user) return new NotFoundError({ id, database: 'users' })
return user
}
Return the error, don't throw it. The return type tells callers exactly what can go wrong.
Handling Errors (Early Return)
const user = await getUser(id)
if (user instanceof Error) return user
const posts = await getPosts(user.id)
if (posts instanceof Error) return posts
return posts
Each error is checked at the point it occurs. TypeScript narrows the type after each check.
Wrapping External Libraries
async function fetchJson<T>(url: string): Promise<NetworkError | T> {
const response = await fetch(url).catch(
(e) => new NetworkError({ url, reason: 'Fetch failed', cause: e }),
)
if (response instanceof Error) return response
if (!response.ok) {
return new NetworkError({ url, reason: `HTTP ${response.status}` })
}
const data = await (response.json() as Promise<T>).catch(
(e) => new NetworkError({ url, reason: 'Invalid JSON', cause: e }),
)
return data
}
.catch()on a promise converts rejections to typed errors. TypeScript infers the union (Response | NetworkError) automatically. Useerrore.tryfor sync boundaries (JSON.parse, etc.).
Boundary Rule (.catch for async, errore.try for sync)
.catch() and errore.try should only appear at the lowest level of your call stack — right at the boundary with code you don't control (third-party libraries, JSON.parse, fetch, file I/O, etc.). Your own functions should never throw, so they never need .catch() or try.
For async boundaries: use .catch((e) => new MyError({ cause: e })) directly on the promise. TypeScript infers the union automatically. For sync boundaries: use errore.try({ try: () => ..., catch: (e) => ... }). The .catch() callback receives any (Promise rejections are untyped), but wrapping in a typed error gives the union a concrete type — no as assertions needed.
async function getUser(id: string) {
const res = await fetch(`/users/${id}`).catch(
(e) => new NetworkError({ url: `/users/${id}`, cause: e }),
)
if (res instanceof Error) return res
const data = await (res.json() as Promise<UserPayload>).catch(
(e) => new NetworkError({ url: `/users/${id}`, cause: e }),
)
if (data instanceof Error) return data
if (!data.active) return new InactiveUserError({ id })
return { ...data, displayName: `${data.first} ${data.last}` }
}
Think of
.catch()anderrore.tryas the adapter between the throwing world (external code) and the errore world (errors as values). Once you've converted exceptions to values at the boundary, everything above is plaininstanceofchecks. Your own functions return errors as values — they never need.catch()ortry.
Optional Values (| null)
async function findUser(email: string): Promise<DbError | User | null> {
const result = await db
.query(email)
.catch((e) => new DbError({ message: 'Query failed', cause: e }))
if (result instanceof Error) return result
return result ?? null
}
// Caller: three-way narrowing
const user = await findUser('alice@example.com')
if (user instanceof Error) return user
if (user === null) return
console.log(user.name) // User
Error | T | nullgives you three distinct states without nesting Result and Option types.
Parallel Operations
const [userResult, postsResult, statsResult] = await Promise.all([
getUser(id),
getPosts(id),
getStats(id),
])
if (userResult instanceof Error) return userResult
if (postsResult instanceof Error) return postsResult
if (statsResult instanceof Error) return statsResult
return { user: userResult, posts: postsResult, stats: statsResult }
Each result is checked individually. You know exactly which operation failed.
Exhaustive Matching (matchError)
const response = errore.matchError(error, {
NotFoundError: (e) => ({
status: 404,
body: { error: `${e.table} ${e.id} not found` },
}),
DbError: (e) => ({ status: 500, body: { error: 'Database error' } }),
Error: (e) => ({ status: 500, body: { error: 'Unexpected error' } }),
})
return res.status(response.status).json(response.body)
matchErrorroutes by_tagand requires anErrorfallback for plain Error instances. UsematchErrorPartialwhen you only need to handle some cases.
Resource Cleanup (defer)
errore ships DisposableStack and AsyncDisposableStack polyfills that work in every runtime. Use them with TypeScript's using / await using for Go-like defer cleanup.
tsconfig requirement: add "ESNext.Disposable" to lib so TypeScript knows about Disposable, AsyncDisposable, using, and await using:
{
"compilerOptions": {
"lib": ["ES2022", "ESNext.Disposable"],
},
}
Without this, using/await using declarations and Symbol.dispose/Symbol.asyncDispose will produce type errors. The errore polyfill handles the runtime side — this setting handles the type side.
import * as errore from 'errore'
async function processRequest(id: string): Promise<DbError | Result> {
await using cleanup = new errore.AsyncDisposableStack()
const db = await connectDb().catch((e) => new DbError({ cause: e }))
if (db instanceof Error) return db
cleanup.defer(() => db.close())
const cache = await openCache().catch((e) => new CacheError({ cause: e }))
if (cache instanceof Error) return cache
cleanup.defer(() => cache.flush())
return result
// cleanup runs in LIFO order: cache.flush(), then db.close()
}
await usingguarantees cleanup runs when the scope exits — whether by return, early error return, or thrown exception. Resources are released in reverse order (LIFO), just like Go'sdefer. Notry/finallynesting.
Fallback Values
const result = errore.try(() =>
JSON.parse(fs.readFileSync('config.json', 'utf-8')),
)
const config = result instanceof Error ? { port: 3000, debug: false } : result
Ternary on
instanceof Errorreplaceslet+ try-catch. Single expression, no mutation, no intermediate state.
Walking the Cause Chain (findCause)
const dbErr = error.findCause(DbError)
if (dbErr) {
console.log(dbErr.host) // type-safe access
}
// Or standalone function for any Error
const dbErr = errore.findCause(error, DbError)
findCausechecks the error itself first, then walks.causerecursively. Returns the matched error with full type inference, orundefined. Safe against circular references.
Custom Base Classes
class AppError extends Error {
statusCode = 500
toResponse() {
return { error: this.message, code: this.statusCode }
}
}
class NotFoundError extends errore.createTaggedError({
name: 'NotFoundError',
message: 'Resource $id not found',
extends: AppError,
}) {
statusCode = 404
}
const err = new NotFoundError({ id: '123' })
err.toResponse() // { error: 'Resource 123 not found', code: 404 }
err instanceof AppError // true
err instanceof Error // true
Use
extendsto inherit shared functionality (HTTP status codes, logging methods, response formatting) across all your domain errors.
Boundary with Legacy Code
async function legacyHandler(id: string) {
const user = await getUser(id)
if (user instanceof Error)
throw new Error('Failed to get user', { cause: user })
return user
}
At boundaries where legacy code expects exceptions, check
instanceof Errorand throw withcause. This preserves the error chain and keeps the pattern consistent.
Partition: Splitting Successes and Failures
const allResults = await Promise.all(ids.map((id) => fetchItem(id)))
const [items, errors] = errore.partition(allResults)
errors.forEach((e) => console.warn('Failed:', e.message))
// items contains only successful results, fully typed
partitionsplits an array of(Error | T)[]into[T[], Error[]]. No manual accumulation.
Abort & Cancellation
controller.abort(reason) throws reason as-is — whatever you pass is what .catch() receives. This means you MUST pass a typed error extending errore.AbortError, never a plain Error or string.
Always use errore.isAbortError(error) to detect abort errors. It walks the entire .cause chain, so it works even when the abort error is wrapped by .catch().
import * as errore from 'errore'
class TimeoutError extends errore.createTaggedError({
name: 'TimeoutError',
message: 'Request timed out for $operation',
extends: errore.AbortError,
}) {}
const controller = new AbortController()
const timer = setTimeout(
() => controller.abort(new TimeoutError({ operation: 'fetch' })),
5000,
)
const res = await fetch(url, { signal: controller.signal }).catch(
(e) => new NetworkError({ url, cause: e }),
)
clearTimeout(timer)
if (errore.isAbortError(res)) return res
if (res instanceof Error) return res
isAbortErrordetects three kinds of abort: (1) nativeDOMExceptionfrom barecontroller.abort(), (2) directerrore.AbortErrorinstances, (3) tagged errors that extenderrore.AbortError— even when wrapped in another error's.causechain.
Early Return on Abort (signal.aborted checks)
Check signal.aborted before side effects or async operations — same early-return pattern as errors but for cancellation. Without these, cancelled work keeps running.
for (const item of items) {
if (signal.aborted) return // before work
const data = await fetchData(item.id, { signal })
.catch((e) => new FetchError({ id: item.id, cause: e }))
if (errore.isAbortError(data)) return // after async
if (data instanceof Error) { console.warn(data.message); continue }
if (signal.aborted) return // before write
await db.save(data)
}
Place
signal.abortedchecks before expensive operations (network, db writes, file I/O). CheckisAbortErrorafter async calls that received the signal. Both keep the function responsive to cancellation.
Pitfalls
CustomError | Error is ambiguous when CustomError extends Error
// BAD: both sides of the union are Error instances
type Result = MyCustomError | Error
// instanceof Error matches BOTH — can't distinguish success from failure
// Success types must never extend Error