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

elysia-logger

v0.5.2

Published

A simple logger for ElysiaJS

Downloads

1,020

Readme

Elysia Logger

npm version License: MIT

A high-performance, NestJS-style logger plugin for ElysiaJS with beautiful console output and flexible configuration.

Author: KrataiB

✨ Features

  • 🎨 NestJS-Style UI - Beautiful, colorful console output
  • High Performance - Built on pino, one of the fastest Node.js loggers
  • 📝 Hybrid Logging - Console (pretty) + File (JSON) simultaneously
  • 🔧 Fully Configurable - Customize everything from log levels to formats
  • 📊 Request Details - Log query params, path params, and request bodies
  • 🎯 Type-Safe - Full TypeScript support with proper type inference
  • 🚀 Zero Dependencies Overhead - Only pino and picocolors

⚡ Benchmark

Benchmark Results

📦 Installation

# Using bun (recommended)
bun add elysia-logger

# Using npm
npm install elysia-logger

# Using yarn
yarn add elysia-logger

# Using pnpm
pnpm add elysia-logger

🚀 Quick Start

import { Elysia } from "elysia";
import { logger } from "elysia-logger";

const app = new Elysia()
  .use(logger())
  .get("/", () => "Hello World")
  .listen(3000);

That's it! You'll now see beautiful logs like:

[Elysia] 12345  - 11/21/2025, 2:00:00 PM   INFO [Elysia] 🦊 Elysia is running at http://localhost:3000
[Elysia] 12345  - 11/21/2025, 2:00:00 PM   INFO [Elysia] Routes:
[Elysia] 12345  - 11/21/2025, 2:00:00 PM   INFO [Router] GET /
[Elysia] 12345  - 11/21/2025, 2:00:05 PM   INFO [Router] GET / +2ms

📖 Configuration

Basic Options

import { logger } from "elysia-logger";

app.use(
  logger({
    // Transport type: 'console' (pretty) or 'json'
    transport: "console", // default

    // Enable/disable all logging
    enabled: true, // default

    // Log level: 'fatal' | 'error' | 'warn' | 'info' | 'debug' | 'trace'
    level: "info", // default

    // Context name for logs
    context: "MyApp", // default: 'Elysia'

    // Custom server name for logs
    name: "MyServer", // default: 'Elysia'
  })
);

File Logging

Log to a file in JSON format (perfect for production):

app.use(
  logger({
    file: "./app.log",
  })
);

Hybrid Mode - Both console (pretty) AND file (JSON):

app.use(
  logger({
    transport: "console", // Pretty console output
    file: "./app.log", // JSON file output
  })
);

Request Logging Options

app.use(
  logger({
    // Auto-log all requests/responses
    autoLogging: true, // default

    // Log request start (before processing)
    logRequestStart: false, // default: true

    // Log request details (params, query, body)
    logDetails: true, // default: false
  })
);

Example with logDetails: true:

[Router] POST /user/123 +5ms {"params":{"id":"123"},"body":{"name":"John","email":"[email protected]"}}

Custom Formatter

Define your own log format:

app.use(
  logger({
    formatter: (level, message, context) => {
      return `[${level.toUpperCase()}] ${context}: ${message}`;
    },
  })
);

🎯 Advanced Usage

Using the Logger Manually

Access the logger instance via ctx.log:

app.get("/custom", (ctx) => {
  ctx.log.log("This is an info message", "MyContext");
  ctx.log.error("Something went wrong!", "Error stack trace", "ErrorContext");
  ctx.log.warn("Warning message");
  ctx.log.debug("Debug info");
  ctx.log.verbose("Verbose logging");

  return "Done";
});

Standalone Logger

Use the Logger class independently:

import { Logger } from "elysia-logger";

const log = new Logger({
  transport: "console",
  level: "debug",
});

log.log("Hello from standalone logger!");
log.error("Error message", "Stack trace");

🚨 Error Handling

Elysia Logger comes with a built-in HttpError class (similar to elysia-http-error) for easy error handling:

import { Elysia } from "elysia";
import { logger, HttpError } from "elysia-logger";

const app = new Elysia()
  .use(logger())
  .get("/not-found", () => {
    throw HttpError.NotFound("Resource not found");
  })
  .get("/bad-request", () => {
    throw HttpError.BadRequest("Invalid input");
  })
  .get("/custom-error", () => {
    throw new HttpError(418, "I'm a teapot");
  });

Available static methods:

  • HttpError.BadRequest(message?) (400)
  • HttpError.Unauthorized(message?) (401)
  • HttpError.Forbidden(message?) (403)
  • HttpError.NotFound(message?) (404)
  • HttpError.MethodNotAllowed(message?) (405)
  • HttpError.Conflict(message?) (409)
  • HttpError.PreconditionFailed(message?) (412)
  • HttpError.UnprocessableEntity(message?) (422)
  • HttpError.TooManyRequests(message?) (429)
  • HttpError.InternalServerError(message?) (500)

📊 Complete Example

import { Elysia } from "elysia";
import { logger } from "elysia-logger";

const app = new Elysia()
  .use(
    logger({
      transport: "console",
      file: "./logs/app.log",
      level: "info",
      logDetails: true,
      logRequestStart: false,
    })
  )
  .get("/", () => "Hello World")
  .get("/user/:id", ({ params, log }) => {
    log.log(`Fetching user ${params.id}`, "UserController");
    return { user: params.id };
  })
  .post("/create", ({ body, log }) => {
    log.log("Creating new item", "CreateController");
    return { created: true };
  })
  .onError(({ error, log }) => {
    log.error("Unhandled error", error.stack, "GlobalError");
    return { error: error.message };
  })
  .listen(3000);

console.log("Server running on http://localhost:3000");

📝 API Reference

LoggerOptions

| Option | Type | Default | Description | | ----------------- | -------------------------------------------------------------- | ----------- | ----------------------------- | | transport | 'console' \| 'json' | 'console' | Output format | | enabled | boolean | true | Enable/disable logging | | level | 'fatal' \| 'error' \| 'warn' \| 'info' \| 'debug' \| 'trace' | 'info' | Minimum log level | | context | string | 'Elysia' | Default context name | | name | string | 'Elysia' | Custom server name | | file | string | undefined | File path for JSON logs | | autoLogging | boolean | true | Auto-log requests/responses | | logRequestStart | boolean | true | Log when request starts | | logDetails | boolean | false | Log request params/query/body | | formatter | (level, message, context?) => string | undefined | Custom format function |

Logger Class Methods

class Logger {
  log(message: string, context?: string): void;
  error(message: string, trace?: string, context?: string): void;
  warn(message: string, context?: string): void;
  debug(message: string, context?: string): void;
  verbose(message: string, context?: string): void;
}

🎨 Log Levels

Logs are color-coded by level:

  • 🟢 INFO - Green
  • 🔴 ERROR - Red
  • 🟡 WARN - Yellow
  • 🔵 DEBUG - Blue
  • 🔷 VERBOSE - Cyan

🔒 Production Best Practices

Recommended Production Config

app.use(
  logger({
    transport: "json", // Structured logs for log aggregators
    file: "./logs/app.log", // Persist to file
    level: "info", // Filter out debug/verbose
    logDetails: false, // Avoid logging sensitive data
    logRequestStart: false, // Reduce log noise
  })
);

Log Rotation

For production, use a log rotation tool like logrotate or pm2.

🧪 Testing

bun test

📄 License

MIT © KrataiB

🤝 Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

📮 Issues

Found a bug? Have a feature request? Please open an issue.

🌟 Show Your Support

Give a ⭐️ if this project helped you!


Built with ❤️ for the Elysia community