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

exstack

v1.1.1

Published

A utility library designed to simplify and enhance express.js applications.

Readme

⚡️ Exstack

npm version npm downloads License: MIT

A lightweight, fast, and flexible utility library for Express.js — designed to simplify development with async-safe handlers, built-in validation, standardized responses, and clean error handling.

🧭 Table of Contents

🚀 Features

  • 🧠 Async-Friendly Handlers — Simplify async route logic with automatic error propagation and standardized responses.
  • 🧩 Standardized Responses — Use ApiRes and HttpError for clean, consistent, and typed responses.
  • Zod-Based Validation — Validate request body, query, and params seamlessly.
  • 🧱 Essential Middleware — Includes errorHandler, notFound, and poweredBy out of the box.
  • 🧾 HttpStatus Enum — Access standardized HTTP status codes and names with clear constants.

📦 Installation

npm install exstack

⚡ Quick Start

import * as z from 'zod';
import express from 'express';
import {validator} from 'exstack/zod';
import {handler, errorHandler, notFound, ApiRes} from 'exstack';

const app = express();

// Middleware
app.use(express.json());

// Validation schema
const schema = z.object({
  name: z.string(),
});

// Define routes with handler
app.get(
  '/ping',
  handler(() => 'pong'),
);

app.post(
  '/users',
  validator.body(schema),
  handler(req => {
    const user = req.valid<typeof schema>('body');
    return ApiRes.created(user, 'User created successfully');
  }),
);

// Error middleware
app.use(notFound('*splat'));
app.use(errorHandler(process.env.NODE_ENV === 'development'));

app.listen(3000, () => console.log('Server running on port 3000'));

🧠 Core Concepts

🪄 Handler

The handler utility wraps route logic to automatically catch errors and send responses cleanly.

import {handler, ApiRes} from 'exstack';

// Without handler (classic)
app.get('/user/:id', async (req, res, next) => {
  try {
    const user = await getUserById(req.params.id);
    res.status(200).json(user);
  } catch (err) {
    next(err);
  }
});

// With handler (cleaner)
app.get(
  '/user/:id',
  handler(async req => {
    const user = await getUserById(req.params.id);
    return ApiRes.ok(user, 'User fetched successfully');
  }),
);

📦 ApiRes

ApiRes standardizes and simplifies success response formatting.

app.get(
  '/user',
  handler(() => ApiRes.ok({name: 'John Doe'}, 'User found')),
);

app.post(
  '/user',
  handler(req => {
    const newUser = createUser(req.body);
    return ApiRes.created(newUser, 'User created');
  }),
);

// Chainable example
app.post(
  '/user',
  handler(req => {
    const newUser = createUser(req.body);
    return ApiRes.status(200).msg('User created').data(newUser);
  }),
);

Available Methods:

| Method | Description | | --------------------------------------- | -------------------------- | | ApiRes.ok(data, message) | 200 OK response | | ApiRes.created(data, message) | 201 Created response | | ApiRes.paginated(data, meta, message) | Paginated success response | | .status(code) | Chainable status setter | | .msg(message) | Chainable message setter | | .data(data) | Chainable data setter |

🚨 HttpError

The HttpError class provides a consistent and structured way to handle HTTP errors.

import {HttpError, HttpStatus} from 'exstack';

app.get(
  '*',
  handler((req, res) =>
    new HttpError(HttpStatus.NOT_FOUND, {
      message: 'Not Found',
    }).toJson(res),
  ),
);

app.post(
  '/example/:id',
  handler(req => {
    if (!req.params.id) throw new BadRequestError('Id is required');
  }),
);

Extended Options:

const err = new HttpError(400, {
  message: 'Validation Error',
  data: {
    username: 'Username is required',
    password: 'Password is required',
  },
  cause: new Error('Invalid input'),
});

If no custom name is provided, HttpError automatically assigns one based on the status code.

Common Errors:

  • BadRequestError
  • UnauthorizedError
  • NotFoundError
  • ConflictError
  • ForbiddenError
  • PaymentRequiredError
  • NotImplementedError
  • InternalServerError
  • ContentTooLargeError

HttpError.isHttpError(value)

Check whether a value is an instance of HttpError.

// If it is an HttpError, send a JSON response with the error details
if (HttpError.isHttpError(err)) return err.toJson(res);
else
  // If it's not an HttpError, pass it to the next middleware for further handling
  next(err);

Custom Error Handler Example

export const errorHandler: ErrorRequestHandler = (err, req, res, next) => {
  // Handle known HttpError instances
  if (HttpError.isHttpError(err)) {
    // Log the cause if it exists
    if (err.options.cause) console.error('HttpError Cause:', err.options.cause);
    return err.toJson(res);
  }
  // Write unknown errors if a write function is provided
  console.error('Unknown Error:', err);
  // Standardized error response for unknown exceptions
  const unknown = {
    status: HttpStatus.INTERNAL_SERVER_ERROR,
    error: 'InternalServerError',
    message: isDev ? err.message || 'Unexpected error' : 'Something went wrong',
    stack: isDev ? err.stack : undefined,
  };
  res.status(unknown.status).json(unknown);
};

✅ HttpStatus

HttpStatus provides readable constants for all standard HTTP status codes.

import {HttpStatus} from 'exstack';

// Example: Basic usage in a route
app.get('/status-example', (req, res) => {
  res.status(HttpStatus.OK).json({message: 'All good!'});
});

// Example: Custom error handling middleware
app.use((req, res) => {
  res.status(HttpStatus.NOT_FOUND).json({
    error: 'Resource not found',
  });
});

// Example: Response with a 201 Created status
app.post('/create', (req, res) => {
  const resource = createResource(req.body);
  res.status(HttpStatus.CREATED).json({
    message: 'Resource created successfully',
    data: resource,
  });
});

Commonly Used HTTP Status Codes:

  • 2xx: Success

    • HttpStatus.OK: 200 — Request succeeded.
    • HttpStatus.CREATED: 201 — Resource created.
    • HttpStatus.ACCEPTED: 202 — Request accepted for processing.
    • HttpStatus.NO_CONTENT: 204 — No content to send.
    • and more ....
  • 3xx: Redirection

    • HttpStatus.MOVED_PERMANENTLY: 301 — Resource moved permanently.
    • HttpStatus.FOUND: 302 — Resource found at another URI.
    • HttpStatus.NOT_MODIFIED: 304 — Resource not modified.
    • and more ....
  • 4xx: Client Error

    • HttpStatus.BAD_REQUEST: 400 — Bad request.
    • HttpStatus.UNAUTHORIZED: 401 — Authentication required.
    • HttpStatus.FORBIDDEN: 403 — Access forbidden.
    • HttpStatus.NOT_FOUND: 404 — Resource not found.
    • and more ....
  • 5xx: Server Error

    • HttpStatus.INTERNAL_SERVER_ERROR: 500 — Internal server error.
    • HttpStatus.NOT_IMPLEMENTED: 501 — Not implemented.
    • HttpStatus.SERVICE_UNAVAILABLE: 503 — Service unavailable.
    • and more ....

🔍 Zod Validator

The validator middleware provides an easy way to validate incoming requests using Zod schemas. It can validate the request body, query, params and all.

Installation

# node runtime
npm install zod
# bun runtime
bun install zod

Examples

import * as z from 'zod';
import {validator} from 'exstack/zod';

const createUserSchema = z.object({
  email: z.string().email(),
  password: z.string().min(6),
});

app.post(
  '/users',
  validator.body(createUserSchema),
  handler(req => {
    const body = req.valid('body');
    // body is guaranteed to match the schema
    return ApiRes.created(body, 'User created');
  }),
);
app.post(
  '/users',
  validator.body(createUserSchema),
  handler(req => {
    // Option 1: Automatically inferred from schema
    const user = req.valid('body');
    //    ^? { name: string; email: string }

    // Option 2: Explicitly infer from schema
    const user2 = req.valid<typeof createUserSchema>('body');
    //    ^? z.infer<typeof createUserSchema>

    // Option 3: Manually provide a type if needed
    const user3 = req.valid<{name: string; email: string}>('body');
    //    ^? { name: string; email: string }

    return ApiRes.created(user, 'User created successfully');
  }),
);

// Multi-part Validation Example

const multiSchema = {
  body: z.object({name: z.string()}),
  query: z.object({page: z.string().optional()}),
  params: z.object({id: z.string().uuid()}),
};

app.put(
  '/users/:id',
  validator.all(multiSchema),
  handler(req => {
    const result = req.valid('all');
    return ApiRes.ok(result);
  }),
);

🧱 Middleware

🛠️ errorHandler

Handles HttpError and unknown exceptions with standardized JSON output.

import {errorHandler} from 'exstack';

app.use(errorHandler(process.env.NODE_ENV === 'development'));

🚫 notFound

Automatically throws a 404 for unmatched routes.

app.use(notFound('*splat'));

⚙️ poweredBy

Adds an X-Powered-By header to responses.

app.use(poweredBy('Exstack'));

🤝 Contributing

Contributions are welcome! Please open an issue or submit a pull request to help improve Exstack.

📄 License

Licensed under the MIT License.