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

nural

v0.3.0

Published

The intelligent, schema-first REST framework for Node.js

Readme

Nural


Features

  • Type-Safe – End-to-end TypeScript inference
  • 📝 Auto Documentation – OpenAPI spec & Scalar UI out-of-the-box
  • 🛡️ Validation – Zod-powered input/output validation
  • 🔄 Response Mapping – Auto-strip unlisted fields (no data leaks!)
  • 🔌 Multi-Framework – Works with Express & Fastify
  • 🎯 Middleware Context – Type-safe context injection
  • 🔒 Built-in Security – CORS & Helmet with zero dependencies

Installation

npm install nural express
# or
npm install nural fastify

🛠️ CLI

Nural comes with a built-in CLI to help you scaffold projects and generate resources.

# Create a new project
npx nural new my-api

# Generate resources
npx nural generate route users
npx nural generate middleware auth
npx nural generate service user

Quick Start

import { Nural, createRoute, z } from "nural";

// Create app
const app = new Nural({ framework: "express", docs: true });

// Define a route
const helloRoute = createRoute({
  method: "GET",
  path: "/hello",
  summary: "Health check",
  responses: {
    200: z.object({ message: z.string() }),
  },
  handler: async () => {
    return { message: "Hello from Nural!", secret: "HIDDEN" };
    // ↑ 'secret' is auto-stripped from response!
  },
});

// Register and start
app.register([helloRoute]);
app.start(3000);
// 🚀 Server: http://localhost:3000
// 📚 Docs:   http://localhost:3000/docs

Validation

const userRoute = createRoute({
  method: "POST",
  path: "/users",
  request: {
    body: z.object({
      name: z.string().min(2),
      email: z.string().email(),
    }),
  },
  responses: {
    201: z.object({ id: z.string(), name: z.string() }),
  },
  handler: async ({ body }) => {
    // body is typed as { name: string, email: string }
    return { id: "uuid", name: body.name };
  },
});

Middleware

import { defineMiddleware } from "nural";

const authMiddleware = defineMiddleware(async (req) => {
  const token = req.headers.authorization;
  if (!token) throw new Error("Unauthorized");
  return { user: { id: "123", role: "admin" } };
});

const meRoute = createRoute({
  method: "GET",
  path: "/me",
  middleware: [authMiddleware],
  responses: { 200: z.object({ id: z.string(), role: z.string() }) },
  handler: async ({ user }) => {
    // ↑ 'user' is inferred from middleware!
    return user;
  },
});

CORS & Helmet (Built-in Security)

// Enable with defaults
const app = new Nural({
  cors: true,
  helmet: true,
});

// Or with full configuration
const app = new Nural({
  cors: {
    origin: "https://example.com",
    methods: ["GET", "POST"],
    credentials: true,
  },
  helmet: {
    contentSecurityPolicy: false,
    hsts: { maxAge: 31536000, includeSubDomains: true },
  },
});
  },
});

Unified Exception System

Throw standard exceptions anywhere in your code, and Nural automatically formats them into standard JSON error responses.

import { NotFoundException, UnauthorizedException } from "nural";

// In your service or handler
if (!user) {
  throw new NotFoundException("User not found");
}

if (!token) {
  throw new UnauthorizedException("Missing token");
}

Result:

{
  "statusCode": 404,
  "message": "User not found",
  "error": "Not Found",
  "timestamp": "2026-02-08T12:00:00.000Z"
}

Global Error Handler

// Enable with defaults (smart error mapping)
const app = new Nural({ errorHandler: true });

// Custom error handler (e.g., Sentry integration)
const app = new Nural({
  errorHandler: (ctx) => {
    Sentry.captureException(ctx.error);
    return {
      status: 500,
      body: { error: "Something went wrong" },
    };
  },
});

// Full configuration
const app = new Nural({
  errorHandler: {
    handler: customHandler,
    includeStack: process.env.NODE_ENV !== "production",
    logErrors: true,
    logger: (err, ctx) => winston.error(err.message, { path: ctx.path }),
  },
});

Smart defaults: Automatically maps "unauthorized" → 401, "not found" → 404, Zod errors → 400.

Available Exceptions

| Exception | Status Code | | :------------------------------ | :---------- | | BadRequestException | 400 | | UnauthorizedException | 401 | | ForbiddenException | 403 | | NotFoundException | 404 | | ConflictException | 409 | | GoneException | 410 | | PayloadTooLargeException | 413 | | UnsupportedMediaTypeException | 415 | | UnprocessableEntityException | 422 | | InternalServerErrorException | 500 | | NotImplementedException | 501 | | BadGatewayException | 502 | | ServiceUnavailableException | 503 | | GatewayTimeoutException | 504 |


Logger

Nural comes with a built-in, zero-dependency logger that is lightweight and colorful.

import { Logger } from "nural";

const logger = new Logger("MyService");

logger.log("This is a log message");
logger.warn("Be careful!");
logger.error("Something went wrong");
// Output: [Nural] 1234 - 2026-02-08... [MyService] This is a log message

HTTP Logger

The HTTP logger middleware is enabled by default and logs all incoming requests with their status and duration.

const app = new Nural({
  logger: {
    enabled: true,
    showUserAgent: true, // Log User-Agent header
    showTime: true, // Log request duration (default: true)
  },
});

Configuration

const app = new Nural({
  framework: "fastify", // or 'express'
  cors: true, // Enable CORS with defaults
  helmet: true, // Enable security headers with defaults

  // Documentation
  docs: {
    enabled: true,
    path: "/api-docs",
    ui: "scalar", // 'scalar' (default) or 'swagger'

    // Full OpenAPI Customization
    openApi: {
      info: {
        title: "My API",
        version: "2.0.0",
        description: "My awesome API",
      },
      servers: [{ url: "https://api.example.com" }],
      // Add Security Schemes (e.g., API Key, Bearer Token)
      components: {
        securitySchemes: {
          bearerAuth: {
            type: "http",
            scheme: "bearer",
            bearerFormat: "JWT",
          },
        },
      },
      // Apply Global Security
      security: [{ bearerAuth: [] }],
    },

    // Scalar UI Options (fully typed)
    scalar: {
      theme: "moon", // 'alternate', 'default', 'moon', 'purple', 'solarized', etc.
      layout: "modern",
      showSidebar: true,
      hideModels: true,
      darkMode: true,
      // Custom Metadata
      metaData: { title: "API Docs" },
      // Authentication Pre-fill
      authentication: {
        preferredSecurityScheme: "bearerAuth",
        securitySchemes: {
          bearerAuth: { token: "EXAMPLE_TOKEN" },
        },
      },
    },

    // Swagger UI Options (fully typed)
    swagger: {
      theme: "outline", // 'outline', 'classic', or 'no-theme'
      options: {
        persistAuthorization: true,
        docExpansion: "list",
        defaultModelsExpandDepth: -1,
        filter: true,
        syntaxHighlight: { theme: "monokai" },
      },
    },
  },

  // Logger
  logger: {
    enabled: true,
    showUserAgent: false,
    showTime: true,
  },

  // Error Handling
  errorHandler: {
    handler: customHandler, // Optional custom handler
    includeStack: false, // Hide stack traces in production
    logErrors: true, // Log errors to console
  },
});

API Reference

createRoute(config)

| Property | Type | Description | | ---------------- | --------------------------- | ---------------------------------------------- | | method | HttpMethod | GET, POST, PUT, PATCH, DELETE | | path | string | Route path (supports :param) | | summary | string? | Short description for docs | | description | string? | Detailed description | | tags | string[]? | Grouping for docs | | middleware | array? | Middleware functions | | request.params | ZodSchema? | Path params validation | | request.query | ZodSchema? | Query params validation | | request.body | ZodSchema? | Body validation | | responses | Record<number, ZodSchema> | Response schemas | | security | array? | OpenAPI security (e.g. [{ bearerAuth: [] }]) | | openapi | object? | OpenAPI operation overrides | | handler | function | Route handler |

Per-Route Configuration (Security & Headers)

You can define security requirements or override OpenAPI properties directly on the route:

const protectedRoute = createRoute({
  method: "GET",
  path: "/protected",
  // Define security requirements
  security: [{ bearerAuth: [] }],
  // Override OpenAPI operation (e.g., custom headers)
  openapi: {
    parameters: [
      {
        in: "header",
        name: "X-Custom-Header",
        schema: { type: "string" },
        required: true,
      },
    ],
  },
  handler: async () => {
    return { secret: "data" };
  },
});

Route Context (ctx)

The handler receives a ctx object containing:

{
  params: { id: "123" },      // Validated path params
  query: { page: 1 },         // Validated query params
  body: { name: "John" },     // Validated body
  req: Request,               // Native request object
  res: Response,              // Native response object
  ...middlewareProps          // Properties injected by middleware
}

defineMiddleware(fn)

Creates a type-safe middleware that injects context into handlers.

new Nural(config)

| Property | Type | Default | Description | | -------------- | ------------------------------ | ----------- | ------------------------ | | framework | 'express' \| 'fastify' | 'express' | Server framework | | docs | boolean \| DocsConfig | true | Documentation settings | | cors | boolean \| CorsConfig | false | CORS middleware settings | | helmet | boolean \| HelmetConfig | false | Security headers | | errorHandler | boolean \| fn \| ErrorConfig | true | Global error handling |


License

MIT © Chetan Joshi