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

inertia-nestjs

v1.1.2

Published

Platform-agnostic NestJS adapter for Inertia.js

Readme

inertia-nestjs

A platform-agnostic Inertia.js adapter for NestJS (Express, Fastify, and any Nest HTTP adapter) — inspired by inertia-laravel.

npm version License: MIT


Features

  • 🚀 Platform agnostic — works with Express, Fastify, or any NestJS HTTP adapter
  • Inertia.js protocol compliant
  • 🧩 Decorator-based API (@Inertia())
  • 🪶 Lazy, deferred, merge, and always props
  • 🔁 Partial reload support
  • 🔐 History encryption
  • 🌐 Optional Server‑Side Rendering (SSR)
  • 🧪 Testing utilities
  • 📦 Inspired by inertia-laravel

Installation

npm install inertia-nestjs

You will also need an Inertia client adapter depending on your frontend:

npm install @inertiajs/react
# or
npm install @inertiajs/vue3

Quick Start

1. Register the module

// app.module.ts
import { Module, NestModule, MiddlewareConsumer } from '@nestjs/common';
import { InertiaModule, HandleInertiaRequests } from 'inertia-nestjs';

@Module({
    imports: [
        InertiaModule.forRoot({
            rootView: 'app', // template rendered on first page load
            version: '1.0.0', // asset version for cache-busting
        }),
    ],
})
export class AppModule implements NestModule {
    configure(consumer: MiddlewareConsumer) {
        consumer.apply(HandleInertiaRequests).forRoutes('*');
    }
}

Root Template

Inertia requires a root HTML template that embeds the serialized page object.

Handlebars (views/app.hbs)

<!DOCTYPE html>
<html>
    <head>
        <meta charset="utf-8" />
        <meta name="viewport" content="width=device-width, initial-scale=1" />

        <title>My App</title>

        <link rel="stylesheet" href="/build/app.css" />
        <script type="module" src="/build/app.js" defer></script>

        {{#each ssrHead}} {{{this}}} {{/each}}
    </head>

    <body>
        {{#if ssrBody}}
        <div id="app" data-page="{{{json page}}}">{{{ssrBody}}}</div>
        {{else}}
        <div id="app" data-page="{{{json page}}}"></div>
        {{/if}}
    </body>
</html>

EJS (views/app.ejs)

<div id="app" data-page="<%- JSON.stringify(page) %>"></div>

Controller Usage

Using the @Inertia() decorator

import { Controller, Get, Param } from '@nestjs/common';
import { Inertia } from 'inertia-nestjs';
import { UsersService } from './users.service';

@Controller('users')
export class UsersController {
    constructor(private readonly users: UsersService) {}

    @Get()
    @Inertia('Users/Index')
    async index() {
        return {
            users: await this.users.findAll(),
        };
    }

    @Get(':id')
    @Inertia('Users/Show')
    async show(@Param('id') id: string) {
        return {
            user: await this.users.findOne(id),
        };
    }
}

Rendering Manually with InertiaService

You may render pages manually if you need full control.

import { Controller, Get, Req, Res } from '@nestjs/common';
import { InertiaService } from 'inertia-nestjs';
import { Request, Response } from 'express';

@Controller('dashboard')
export class DashboardController {
    constructor(private readonly inertia: InertiaService) {}

    @Get()
    async index(@Req() req: Request, @Res() res: Response) {
        return this.inertia.render(req, res, 'Dashboard', {
            props: {
                stats: await this.getStats(),
            },
            encryptHistory: true,
        });
    }
}

Sharing Props

Share data with all Inertia pages (for example auth user or flash messages).

Option A — in InertiaModule.forRoot()

InertiaModule.forRoot({
    sharedProps: {
        appName: 'My App',
    },
});

Option B — extend HandleInertiaRequests

Recommended for per-request data.

import { Injectable } from '@nestjs/common';
import { HandleInertiaRequests, InertiaService } from 'inertia-nestjs';
import { Request } from 'express';

@Injectable()
export class CustomInertiaMiddleware extends HandleInertiaRequests {
    constructor(inertia: InertiaService) {
        super(inertia);
    }

    async share(req: Request) {
        return {
            ...(await super.share(req)),

            auth: {
                user: (req as any).user
                    ? {
                          id: (req as any).user.id,
                          name: (req as any).user.name,
                      }
                    : null,
            },

            flash: {
                message: (req.session as any)?.flash,
            },
        };
    }
}

Register it:

consumer.apply(CustomInertiaMiddleware).forRoutes('*');

Lazy Props

Lazy props are evaluated only when explicitly requested during partial reloads.

import { lazy } from 'inertia-nestjs';

@Get()
@Inertia('Users/Index')
async index() {
  return {
    users: await this.users.findAll(),
    permissions: lazy(() => this.getPermissions()),
  };
}

Always Props

Always props are included on every request, even if not requested.

import { always } from 'inertia-nestjs';

return {
    auth: always(() => ({ user: req.user })),
};

Deferred Props

Deferred props are sent after the initial page render.

import { defer } from 'inertia-nestjs';

@Get()
@Inertia('Reports/Show')
async show() {
  return {
    summary: 'Quick summary',
    chartData: defer(() => this.buildChartData()),
    tableData: defer(() => this.buildTable(), 'table'),
  };
}

Merge Props

Merge props allow the client to merge new data with existing state.

import { merge } from 'inertia-nestjs';

@Get()
@Inertia('Feed')
async index() {
  return {
    posts: merge(() => this.posts.paginate()),
  };
}

Asset Versioning

Force a full reload when assets change.

InertiaModule.forRoot({
    version: '1.2.3',
});

Dynamic version example:

version: () => readFileSync('public/build/manifest.json').toString();

External Redirects

To redirect outside the SPA:

@Post('logout')
async logout(@Res() res: Response) {
  this.inertia.location(res, 'https://example.com');
}

History Encryption

Encrypt a page's browser history entry.

@Inertia('Payments/New', { encryptHistory: true })
newPayment() {}

Server‑Side Rendering (SSR)

inertia-nestjs supports optional server-side rendering.

Enable SSR:

InertiaModule.forRoot({
    rootView: 'app',
    version: '1.0.0',

    ssr: {
        enabled: true,
        url: 'http://127.0.0.1:13714',
        bundlePath: 'bootstrap/ssr/ssr.js',
    },
});

If the SSR server is unavailable or the bundle is missing, the adapter automatically falls back to client-side rendering.


Example SSR Entry

import { createInertiaApp } from '@inertiajs/react';
import createServer from '@inertiajs/react/server';
import ReactDOMServer from 'react-dom/server';

createServer(page =>
  createInertiaApp({
    page,
    render: ReactDOMServer.renderToString,

    resolve: async name => {
      const pages = import.meta.glob('./pages/**/*.tsx');
      const module = await pages[`./pages/${name}.tsx`]();
      return module.default;
    },

    setup: ({ App, props }) => <App {...props} />,
  }),
);

Testing

import { assertInertia, assertInertiaLocation } from 'inertia-nestjs';
import * as request from 'supertest';

it('returns users page', async () => {
    const res = await request(app.getHttpServer())
        .get('/users')
        .set('X-Inertia', 'true')
        .set('X-Inertia-Version', '1.0.0')
        .expect(200);

    assertInertia(res.body, (page) => {
        page.component('Users/Index')
            .has('users')
            .where('users[0].name', 'Alice');
    });
});

it('redirects to external URL', async () => {
    const res = await request(app.getHttpServer())
        .post('/logout')
        .set('X-Inertia', 'true')
        .expect(409);

    assertInertiaLocation(res.headers, 'https://example.com');
});

API Reference

InertiaModule.forRoot(options)

| Option | Type | Default | Description | | -------------- | ---------------------- | ----------- | ----------------------------- | | rootView | string | 'app' | Root template | | version | string | () => string | '' | Asset version | | sharedProps | object | {} | Props shared with all pages | | encryptHistory | boolean | false | Encrypt history for all pages | | ssr | object | undefined | SSR configuration |


Prop Helpers

| Helper | Description | | ------------------- | ------------------------------------- | | lazy(fn) | Only evaluated during partial reloads | | always(fn) | Always evaluated | | defer(fn, group?) | Loaded asynchronously | | merge(fn) | Merge new data with existing |


License

MIT