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

constantia

v1.0.1

Published

A decorator-based, type-safe web framework for building self-documenting APIs with automatic OpenAPI generation

Readme

Constantia

A decorator-based, type-safe web framework for building self-documenting REST APIs with automatic OpenAPI generation. Built on top of Deepkit runtime types for zero-overhead validation.

@Controller('/users')
class UserController {
    @Get()
    async list(): Promise<{ id: string; name: string }[]> {
        return [{ id: '1', name: 'Alice' }];
    }

    @Get('/:id')
    async getById(
        @Param('id') id: string,
    ): Promise<{ id: string; name: string }> {
        if (id === '0') throw new BadRequestError('Invalid user ID');
        return { id, name: 'Alice' };
    }

    @Post()
    async create(
        @Body() body: { name: string; email: string },
    ): Promise<{ id: string }> {
        return { id: '42' };
    }
}

Define your types in TypeScript, get validation + OpenAPI for free. No schemas, no codegen, no boilerplate.

Install

pnpm add constantia
pnpm add -D @deepkit/[email protected]

Add to your package.json:

{
    "scripts": {
        "postinstall": "node_modules/.bin/deepkit-type-install"
    },
    "pnpm": {
        "onlyBuiltDependencies": ["@deepkit/type-compiler"]
    }
}

Add to your tsconfig.json:

{
    "compilerOptions": {
        "experimentalDecorators": true,
        "emitDecoratorMetadata": true
    },
    "reflection": true
}

The "reflection": true key tells the Deepkit type compiler to emit type metadata at compile time.

Requirements

  • Node.js >= 20
  • TypeScript 5.x
  • pnpm >= 8 (recommended)

Features

  • Decorator-based routing@Controller, @Get, @Post, @Put, @Delete, @Patch
  • Automatic type validation — Parameters validated at runtime from TypeScript types (no schemas to write)
  • OpenAPI generation — Full OpenAPI 3.0 spec auto-generated from your controllers
  • File uploads@File, @Files with size/count limits and temp file management
  • Streaming@FileStream, @DataStream for large files and real-time data
  • Middleware pipeline — Koa-style @Use middleware with context injection via @Inject
  • Adapter pattern — Framework-agnostic core; ships with Express adapter
  • Error handling — Typed errors (BadRequestError, NotFoundError, etc.) that map to HTTP status codes
  • Configurable logger — Plug in your own logger or use the built-in console logger

Quick Start

import express from 'express';
import {
    Controller,
    Get,
    Post,
    Param,
    Body,
    Query,
    ExpressAdapter,
    registerControllersWrapper,
    registerGlobalMiddlewaresWrapper,
    registerOpenAPI,
    BadRequestError,
} from 'constantia';

@Controller('/users')
class UserController {
    @Get()
    async list(): Promise<{ id: string; name: string }[]> {
        return [{ id: '1', name: 'Alice' }];
    }

    @Get('/:id')
    async getById(
        @Param('id') id: string,
    ): Promise<{ id: string; name: string }> {
        if (id === '0') throw new BadRequestError('Invalid user ID');
        return { id, name: 'Alice' };
    }

    @Post()
    async create(
        @Body() body: { name: string; email: string },
    ): Promise<{ id: string }> {
        return { id: '42' };
    }

    @Get('/search')
    async search(@Query('q') q: string): Promise<{ results: string[] }> {
        return { results: [`Result for: ${q}`] };
    }
}

const app = express();
const adapter = new ExpressAdapter(app);

registerGlobalMiddlewaresWrapper([])(adapter);
registerControllersWrapper([UserController])(adapter);
await registerOpenAPI(adapter, {
    config: { title: 'My API', version: '1.0.0' },
});

app.listen(3000, () => console.log('Listening on :3000'));

Visit http://localhost:3000/openapi.json to see the generated spec.

Decorators

Class

| Decorator | Description | | ---------------------- | --------------------------------------- | | @Controller('/path') | Registers a class as a route controller |

Methods

| Decorator | Description | | ------------------- | ----------------------------------------- | | @Get('/path') | GET route | | @Post('/path') | POST route | | @Put('/path') | PUT route | | @Delete('/path') | DELETE route | | @Patch('/path') | PATCH route | | @DefaultHandler() | Catch-all handler for the controller path |

Parameters

| Decorator | Description | | ----------------- | ----------------------------------------------- | | @Param('name') | URL path parameter (:name) | | @Query('name') | Query string parameter | | @Body() | Request body (validated as object) | | @Header('name') | Request header | | @Inject('key') | Inject a value from context (set by middleware) | | @RawBody() | Raw request body as Buffer |

Files

| Decorator | Description | | ------------------------------------------------ | ----------------------------- | | @File() | Single file upload | | @File('fieldName', { maxFileSize, maxFiles }) | Named file with options | | @Files() | Multiple files (array) | | @Files('fieldName', { maxFileSize, maxFiles }) | Named multi-file with options |

Streaming

| Decorator | Description | | ---------------------------------------------------------------- | -------------------------- | | @FileStream({ contentDisposition, contentType, downloadName }) | Stream a file response | | @DataStream({ contentType }) | Stream data (e.g., ndjson) |

Return types must match:

// For @FileStream
async download(): Promise<FileStreamResponse> { ... }

// For @DataStream
async events(): Promise<DataStreamResponse<MyEvent>> { ... }

Middleware

import { Use, Middleware, createMiddlewareFactory } from 'constantia';

// Simple middleware
const logRequest: Middleware = async (ctx, next) => {
    console.log(`${ctx.request.method} ${ctx.request.url}`);
    await next();
};

// Middleware factory (for parameterized middleware)
const requireRole = createMiddlewareFactory((role: string) => {
    return async (ctx, next) => {
        const user = ctx.get<{ role: string }>('user');
        if (user?.role !== role) throw new UnauthorizedError('Forbidden');
        await next();
    };
});

// Apply at class level (all routes)
@Use(logRequest)
@Controller('/admin')
class AdminController {
    // Apply at method level
    @Use(requireRole('admin'))
    @Get('/dashboard')
    async dashboard(): Promise<{ status: string }> {
        return { status: 'ok' };
    }
}

Context Injection

Middleware can inject values into the request context for controllers to consume:

const authMiddleware: Middleware = async (ctx, next) => {
    const token = ctx.request.headers['authorization'];
    const user = await verifyToken(token);
    ctx.set('user', user);
    await next();
};

@Use(authMiddleware)
@Controller('/profile')
class ProfileController {
    @Get()
    async getProfile(@Inject('user') user: User): Promise<User> {
        return user;
    }
}

Errors

Throw typed errors to return the corresponding HTTP status:

import {
    BadRequestError, // 400
    UnauthorizedError, // 401
    ForbiddenError, // 403
    NotFoundError, // 404
    InternalServerError, // 500
    StatusCodeErrorError, // custom status
} from 'constantia';

throw new BadRequestError('Invalid input');
throw new NotFoundError('User not found');
throw new StatusCodeErrorError('Rate limited', 429);

OpenAPI

The spec is auto-generated from your decorators and TypeScript types. Expose it at runtime:

await registerOpenAPI(adapter, {
    config: {
        title: 'My API',
        version: '2.0.0',
        description: 'My awesome API',
    },
});

Generate a static openapi.json at build time:

node dist/app.js --only-generate-spec ./openapi.json

Or generate alongside the running server:

node dist/app.js --generate-spec ./openapi.json

Custom Logger

By default Constantia logs to the console. Plug in your own:

import { setLogger } from 'constantia';

setLogger({
    info: (msg) => myLogger.info(msg),
    warn: (msg) => myLogger.warn(msg),
    error: (msg, err) => myLogger.error(msg, err),
    debug: (msg) => myLogger.debug(msg),
});

File Handling

Uploaded files are stored as temp files. Important lifecycle methods:

@Post('/upload')
async upload(@File('document', { maxFileSize: 10 * 1024 * 1024 }) file: IFile) {
    // file.name, file.size, file.mimetype, file.tempFilePath
    const stream = file.getstream(); // ReadStream

    // If you need to process after the response:
    file.keepAlive(); // prevents auto-cleanup
    // ... later ...
    file.cleanup(); // manual cleanup when done
}

Project Structure (recommended)

src/
├── controllers/
│   ├── user.controller.ts
│   ├── auth.controller.ts
│   └── index.ts          # export all controllers
├── middlewares/
│   └── index.ts           # export global middlewares
├── app.ts                 # boot express + constantia
└── ...
// src/app.ts
import express from 'express';
import {
    ExpressAdapter,
    registerControllersWrapper,
    registerGlobalMiddlewaresWrapper,
    registerOpenAPI,
} from 'constantia';
import { controllers } from './controllers';
import { globalMiddlewares } from './middlewares';

const app = express();
const adapter = new ExpressAdapter(app);

registerGlobalMiddlewaresWrapper(globalMiddlewares)(adapter);
registerControllersWrapper(controllers)(adapter);
await registerOpenAPI(adapter);

app.listen(3000);

License

MIT