Your logs are lying to you.
A single request generates 10+ log lines. When production breaks at 3am, you're grep-ing through noise, praying you'll find signal. Your errors say "Something went wrong" – thanks, very helpful.
evlog fixes this. One log per request. All context included. Errors that explain themselves.
// server/api/checkout.post.ts
// ❌ Scattered logs - impossible to debug
console.log('Request received')
console.log('User:', user.id)
console.log('Cart loaded')
console.log('Payment failed') // Good luck finding this at 3am
throw new Error('Something went wrong') // 🤷♂️// server/api/checkout.post.ts
import { useLogger } from 'evlog'
// ✅ One comprehensive event per request
export default defineEventHandler(async (event) => {
const log = useLogger(event) // Auto-injected by evlog
log.set({ user: { id: user.id, plan: 'premium' } })
log.set({ cart: { items: 3, total: 9999 } })
log.error(error, { step: 'payment' })
// Emits ONE event with ALL context + duration (automatic)
})Output:
{
"timestamp": "2025-01-24T10:23:45.612Z",
"level": "error",
"service": "my-app",
"method": "POST",
"path": "/api/checkout",
"duration": "1.2s",
"user": { "id": "123", "plan": "premium" },
"cart": { "items": 3, "total": 9999 },
"error": { "message": "Card declined", "step": "payment" }
}We're in the age of AI agents writing and debugging code. When an agent encounters an error, it needs clear, structured context to understand what happened and how to fix it.
Traditional logs force agents to grep through noise. evlog gives them:
- One event per request with all context in one place
- Self-documenting errors with
whyandfixfields - Structured JSON that's easy to parse and reason about
Your AI copilot will thank you.
npm install evlogThe recommended way to use evlog. Zero config, everything just works.
// nuxt.config.ts
export default defineNuxtConfig({
modules: ['evlog/nuxt'],
evlog: {
env: {
service: 'my-app',
},
// Optional: only log specific routes (supports glob patterns)
include: ['/api/**'],
},
})Tip: Use
$productionto enable sampling only in production:export default defineNuxtConfig({ modules: ['evlog/nuxt'], evlog: { env: { service: 'my-app' } }, $production: { evlog: { sampling: { rates: { info: 10, warn: 50, debug: 0 } } }, }, })
That's it. Now use useLogger(event) in any API route:
// server/api/checkout.post.ts
import { useLogger, createError } from 'evlog'
export default defineEventHandler(async (event) => {
const log = useLogger(event)
// Authenticate user and add to wide event
const user = await requireAuth(event)
log.set({ user: { id: user.id, plan: user.plan } })
// Load cart and add to wide event
const cart = await getCart(user.id)
log.set({ cart: { items: cart.items.length, total: cart.total } })
// Process payment
try {
const payment = await processPayment(cart, user)
log.set({ payment: { id: payment.id, method: payment.method } })
} catch (error) {
log.error(error, { step: 'payment' })
throw createError({
message: 'Payment failed',
status: 402,
why: error.message,
fix: 'Try a different payment method or contact your bank',
})
}
// Create order
const order = await createOrder(cart, user)
log.set({ order: { id: order.id, status: order.status } })
return order
// log.emit() called automatically at request end
})The wide event emitted at the end contains everything:
{
"timestamp": "2026-01-24T10:23:45.612Z",
"level": "info",
"service": "my-app",
"method": "POST",
"path": "/api/checkout",
"duration": "1.2s",
"user": { "id": "user_123", "plan": "premium" },
"cart": { "items": 3, "total": 9999 },
"payment": { "id": "pay_xyz", "method": "card" },
"order": { "id": "order_abc", "status": "created" },
"status": 200
}Works with any framework powered by Nitro: Nuxt, Analog, Vinxi, SolidStart, TanStack Start, and more.
// nitro.config.ts
export default defineNitroConfig({
plugins: ['evlog/nitro'],
})Same API, same wide events:
// routes/api/documents/[id]/export.post.ts
import { useLogger, createError } from 'evlog'
export default defineEventHandler(async (event) => {
const log = useLogger(event)
// Get document ID from route params
const documentId = getRouterParam(event, 'id')
log.set({ document: { id: documentId } })
// Parse request body for export options
const body = await readBody(event)
log.set({ export: { format: body.format, includeComments: body.includeComments } })
// Load document from database
const document = await db.documents.findUnique({ where: { id: documentId } })
if (!document) {
throw createError({
message: 'Document not found',
status: 404,
why: `No document with ID "${documentId}" exists`,
fix: 'Check the document ID and try again',
})
}
log.set({ document: { id: documentId, title: document.title, pages: document.pages.length } })
// Generate export
try {
const exportResult = await generateExport(document, body.format)
log.set({ export: { format: body.format, size: exportResult.size, pages: exportResult.pages } })
return { url: exportResult.url, expiresAt: exportResult.expiresAt }
} catch (error) {
log.error(error, { step: 'export-generation' })
throw createError({
message: 'Export failed',
status: 500,
why: `Failed to generate ${body.format} export: ${error.message}`,
fix: 'Try a different format or contact support',
})
}
// log.emit() called automatically - outputs one comprehensive wide event
})Output when the export completes:
{
"timestamp": "2025-01-24T14:32:10.123Z",
"level": "info",
"service": "document-api",
"method": "POST",
"path": "/api/documents/doc_123/export",
"duration": "2.4s",
"document": { "id": "doc_123", "title": "Q4 Report", "pages": 24 },
"export": { "format": "pdf", "size": 1240000, "pages": 24 },
"status": 200
}Errors should tell you what happened, why, and how to fix it.
// server/api/repos/sync.post.ts
import { useLogger, createError } from 'evlog'
export default defineEventHandler(async (event) => {
const log = useLogger(event)
log.set({ repo: { owner: 'acme', name: 'my-project' } })
try {
const result = await syncWithGitHub()
log.set({ sync: { commits: result.commits, files: result.files } })
return result
} catch (error) {
log.error(error, { step: 'github-sync' })
throw createError({
message: 'Failed to sync repository',
status: 503,
why: 'GitHub API rate limit exceeded',
fix: 'Wait 1 hour or use a different token',
link: 'https://docs.github.com/en/rest/rate-limit',
cause: error,
})
}
})Console output (development):
Error: Failed to sync repository
Why: GitHub API rate limit exceeded
Fix: Wait 1 hour or use a different token
More info: https://docs.github.com/en/rest/rate-limit
For scripts, workers, or any TypeScript project:
// scripts/migrate.ts
import { initLogger, log, createRequestLogger } from 'evlog'
// Initialize once at script start
initLogger({
env: {
service: 'migration-script',
environment: 'production',
},
})
// Simple logging
log.info('migration', 'Starting database migration')
log.info({ action: 'migration', tables: ['users', 'orders'] })
// Or use request logger for a logical operation
const migrationLog = createRequestLogger({ action: 'full-migration' })
migrationLog.set({ tables: ['users', 'orders', 'products'] })
migrationLog.set({ rowsProcessed: 15000 })
migrationLog.emit()// workers/sync-job.ts
import { initLogger, createRequestLogger, createError } from 'evlog'
initLogger({
env: {
service: 'sync-worker',
environment: process.env.NODE_ENV,
},
})
async function processSyncJob(job: Job) {
const log = createRequestLogger({ jobId: job.id, type: 'sync' })
try {
log.set({ source: job.source, target: job.target })
const result = await performSync(job)
log.set({ recordsSynced: result.count })
return result
} catch (error) {
log.error(error, { step: 'sync' })
throw error
} finally {
log.emit()
}
}Initialize the logger. Required for standalone usage, automatic with Nuxt/Nitro plugins.
initLogger({
env: {
service: string // Service name
environment: string // 'production' | 'development' | 'test'
version?: string // App version
commitHash?: string // Git commit
region?: string // Deployment region
},
pretty?: boolean // Pretty print (default: true in dev)
include?: string[] // Route patterns to log (glob), e.g. ['/api/**']
sampling?: {
rates?: {
info?: number // 0-100, default 100
warn?: number // 0-100, default 100
debug?: number // 0-100, default 100
error?: number // 0-100, default 100 (always logged unless set to 0)
}
}
})At scale, logging everything can become expensive. Use sampling to keep only a percentage of logs per level:
initLogger({
sampling: {
rates: {
info: 10, // Keep 10% of info logs
warn: 50, // Keep 50% of warning logs
debug: 0, // Disable debug logs
// error defaults to 100% (always logged)
},
},
})In development, evlog uses a compact tree format:
16:45:31.060 INFO [my-app] GET /api/checkout 200 in 234ms
├─ user: id=123 plan=premium
├─ cart: items=3 total=9999
└─ payment: id=pay_xyz method=card
In production (pretty: false), logs are emitted as JSON for machine parsing.
Simple logging API.
log.info('tag', 'message') // Tagged log
log.info({ key: 'value' }) // Wide event
log.error('tag', 'message')
log.warn('tag', 'message')
log.debug('tag', 'message')Create a request-scoped logger for wide events.
const log = createRequestLogger({
method: 'POST',
path: '/checkout',
requestId: 'req_123',
})
log.set({ user: { id: '123' } }) // Add context
log.error(error, { step: 'x' }) // Log error with context
log.emit() // Emit final event
log.getContext() // Get current contextCreate a structured error with HTTP status support. Import from evlog directly to avoid conflicts with Nuxt/Nitro's createError.
Note:
createEvlogErroris also available as an auto-imported alias in Nuxt/Nitro to avoid conflicts.
import { createError } from 'evlog'
createError({
message: string // What happened
status?: number // HTTP status code (default: 500)
why?: string // Why it happened
fix?: string // How to fix it
link?: string // Documentation URL
cause?: Error // Original error
})Parse a caught error into a flat structure with all evlog fields. Auto-imported in Nuxt.
import { parseError } from 'evlog'
try {
await $fetch('/api/checkout')
} catch (err) {
const error = parseError(err)
// Direct access to all fields
console.log(error.message) // "Payment failed"
console.log(error.status) // 402
console.log(error.why) // "Card declined"
console.log(error.fix) // "Try another card"
console.log(error.link) // "https://docs.example.com/..."
// Use with toast
toast.add({
title: error.message,
description: error.why,
color: 'error',
})
}evlog works with any framework powered by Nitro:
| Framework | Integration |
|---|---|
| Nuxt | modules: ['evlog/nuxt'] |
| Analog | plugins: ['evlog/nitro'] |
| Vinxi | plugins: ['evlog/nitro'] |
| SolidStart | plugins: ['evlog/nitro'] |
| TanStack Start | plugins: ['evlog/nitro'] |
| Standalone Nitro | plugins: ['evlog/nitro'] |
evlog provides Agent Skills to help AI coding assistants understand and implement proper logging patterns in your codebase.
npx add-skill hugorcd/evlogOnce installed, your AI assistant will:
- Review your logging code and suggest wide event patterns
- Help refactor scattered
console.logcalls into structured events - Guide you to use
createError()for self-documenting errors - Ensure proper use of
useLogger(event)in Nuxt/Nitro routes
Add logging to this endpoint
Review my logging code
Help me set up logging for this service
Inspired by Logging Sucks by Boris Tane.
- Wide Events: One log per request with all context
- Structured Errors: Errors that explain themselves
- Request Scoping: Accumulate context, emit once
- Pretty for Dev, JSON for Prod: Human-readable locally, machine-parseable in production
Made by @HugoRCD