Fastify Integration
Integrate ImmutableLog into any Fastify application with a plugin that uses the framework's native hooks. Automatically captures all requests with minimal latency — designed for high-performance applications.
Installation
The plugin depends on `fastify-plugin` to ensure hooks are global. Node.js 18+ native `fetch` is used for non-blocking sending.
npm install fastify fastify-pluginPlugin Code
Save the code below in `src/plugins/immutablelog.ts`. The plugin uses `fastify-plugin` to unwrap the hooks and ensures they work globally across the entire application, including routes in sub-plugins.
// src/plugins/immutablelog.ts
import crypto from 'crypto';
import fp from 'fastify-plugin';
import {
FastifyInstance,
FastifyPluginOptions,
FastifyRequest,
FastifyReply,
} from 'fastify';
const MAX_PAYLOAD_BYTES = 12_000;
function clampPayload(payload: object): string {
let s = JSON.stringify(payload);
if (Buffer.byteLength(s, 'utf8') <= MAX_PAYLOAD_BYTES) return s;
const p = { ...(payload as Record<string, unknown>) };
delete p.error;
s = JSON.stringify(p);
if (Buffer.byteLength(s, 'utf8') <= MAX_PAYLOAD_BYTES) return s;
return JSON.stringify({
id: (p as Record<string, unknown>).id,
kind: (p as Record<string, unknown>).kind,
message: String((p as Record<string, unknown>).message ?? 'event').slice(0, 500),
timestamp: (p as Record<string, unknown>).timestamp,
});
}
function severityFrom(status: number | null, err: Error | null): string {
if (err) return 'error';
if (!status) return 'info';
if (status >= 400) return 'error';
if (status >= 300) return 'info';
if (status >= 200) return 'success';
return 'info';
}
export interface ImmutableLogPluginOptions extends FastifyPluginOptions {
apiKey: string;
apiUrl?: string;
serviceName?: string;
env?: string;
skipPaths?: string[];
}
async function immutableLogPlugin(
fastify: FastifyInstance,
opts: ImmutableLogPluginOptions,
) {
const {
apiKey,
apiUrl = 'https://api.immutablelog.com',
serviceName = 'fastify-service',
env = 'production',
skipPaths = ['/health', '/healthz'],
} = opts;
const skip = new Set(skipPaths);
fastify.addHook('onRequest', async (request: FastifyRequest) => {
if (skip.has(request.url)) return;
(request as any).startedAt = Date.now();
(request as any).requestId =
(request.headers['x-request-id'] as string) || crypto.randomUUID();
});
fastify.addHook('onResponse', async (request: FastifyRequest, reply: FastifyReply) => {
if (skip.has(request.url) || !(request as any).startedAt) return;
emit(request, reply.statusCode, null);
});
fastify.addHook('onError', async (request: FastifyRequest, reply: FastifyReply, error: Error) => {
if (!(request as any).startedAt) return;
emit(request, reply.statusCode || 500, error);
});
function emit(request: FastifyRequest, statusCode: number, err: Error | null) {
const startedAt: number = (request as any).startedAt;
const requestId: string = (request as any).requestId || crypto.randomUUID();
const latencyMs = Date.now() - startedAt;
const kind = severityFrom(statusCode, err);
const eventName =
(request as any).imtblEventName ??
`http.${request.method}.${(request as any).routeOptions?.url ?? request.url}`;
const payload: Record<string, unknown> = {
id: crypto.randomUUID(),
kind,
message: err
? `${request.method} ${request.url} failed: ${err.constructor.name}`
: kind === 'success'
? `${request.method} ${request.url} completed successfully`
: `${request.method} ${request.url} processed`,
timestamp: new Date().toISOString(),
context: {
ip: request.ip ?? 'unknown',
userAgent: request.headers['user-agent'] ?? 'unknown',
},
request: {
requestId,
method: request.method,
path: request.url,
queryParams: Object.keys(request.query as object).length ? request.query : null,
},
metrics: { latencyMs, statusCode },
severity: kind === 'error' ? 'high' : 'low',
};
if (kind === 'error') {
payload.error = {
statusCode,
retryable: [408, 429, 500, 502, 503, 504].includes(statusCode),
...(err && { exception: err.constructor.name, exceptionMessage: err.message }),
};
} else if (kind === 'success') {
payload.success = { statusCode, result: statusCode === 200 ? 'ok' : 'processed' };
} else {
payload.info = { statusCode, action: request.method.toLowerCase() };
}
const event = {
payload: clampPayload(payload),
meta: { type: kind, event_name: eventName, service: serviceName, request_id: requestId, env },
};
fetch(`${apiUrl}/v1/events`, {
method: 'POST',
headers: {
Authorization: `Bearer ${apiKey}`,
'Content-Type': 'application/json',
'Idempotency-Key': `${eventName}-${requestId}`,
'Request-Id': requestId,
},
body: JSON.stringify(event),
signal: AbortSignal.timeout(5000),
}).catch((e: Error) => fastify.log.warn(`[ImmutableLog] emit failed: ${e.message}`));
}
}
// fp() desencapsula o plugin para que os hooks sejam globais
// fp() unwraps the plugin so hooks are global
export default fp(immutableLogPlugin, { name: 'immutablelog-audit', fastify: '>=4.0.0' });Registration and Configuration
Register the plugin with `fastify.register()` before your routes. Options are typed and passed directly at registration. Use environment variables for credentials.
// src/server.ts
import Fastify from 'fastify';
import immutableLogPlugin from './plugins/immutablelog';
const fastify = Fastify({ logger: true });
await fastify.register(immutableLogPlugin, {
apiKey: process.env.IMTBL_API_KEY!,
apiUrl: process.env.IMTBL_URL ?? 'https://api.immutablelog.com',
serviceName: process.env.IMTBL_SERVICE_NAME ?? 'fastify-service',
env: process.env.IMTBL_ENV ?? 'production',
skipPaths: ['/health', '/healthz', '/metrics'],
});
fastify.get('/users', async () => ({ users: [] }));
await fastify.listen({ port: 3000 });Never pass the token directly in code. Use environment variables and ensure `.env` is in `.gitignore`.
How it works
The plugin registers three Fastify hooks. `onRequest` captures the start timestamp and generates the `requestId`. `onResponse` calculates latency and emits the success/info event. `onError` captures unhandled exceptions and emits the error event with exception details.
onRequest
Records startedAt and generates unique requestId
onResponse
Calculates latency, emits event via fire-and-forget fetch
onError
Captures exceptions, emits error event with details
Using `fastify-plugin` is essential: without it, hooks are encapsulated in the plugin scope and do not capture routes registered outside of it.
Custom event name
Assign `request.imtblEventName` inside any handler or `preHandler` hook to override the event name automatically generated by the plugin.
fastify.post('/checkout', async (request, reply) => {
(request as any).imtblEventName = 'payment.checkout.initiated';
return { status: 'ok' };
});Path exclusion
Pass `skipPaths` in the plugin options. Ignored routes do not generate events in the ledger, preventing health checks and metrics from polluting the audit.
await fastify.register(immutableLogPlugin, {
apiKey: process.env.IMTBL_API_KEY!,
skipPaths: ['/health', '/healthz', '/metrics', '/readyz'],
});Type augmentation
To avoid using `any` when accessing `request.imtblEventName` and `request.startedAt`, add the module declaration below to your TypeScript project.
// src/types/fastify.d.ts
import 'fastify';
declare module 'fastify' {
interface FastifyRequest {
startedAt?: number;
requestId?: string;
imtblEventName?: string;
}
}This documentation reflects the current integration behavior. For questions or advanced integrations, contact the support team.
