---
title: "Logs"
description: "Structured logs allow you to send, view and query logs sent from your applications within Sentry."
url: https://docs.sentry.io/platforms/javascript/guides/fastify/logs/
---

# Set Up Logs | Sentry for Fastify

Stack traces tell you *what* broke. Logs tell you *why*. When an error fires, you get a snapshot of the failure, but the context leading up to it is often missing. Logs capture the journey — what the data looked like, which code paths executed, and what state the system was in.

Sentry Logs are **high-cardinality** — you can pass any attributes you want and search or filter by them later. No need to decide upfront which fields are important. Just log what might be useful and query it when you need it.

Logs for JavaScript are supported in Sentry JavaScript SDK version `9.41.0` and above.

## [Setup](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#setup)

Enable logging by adding `enableLogs: true` to your Sentry configuration.

```javascript
Sentry.init({
  dsn: "___PUBLIC_DSN___",
  enableLogs: true,
});
```

## [Send Logs](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#send-logs)

Use `Sentry.logger` to send logs at different levels. A log message is required for Sentry to send the log.

| Level   | When to Use                      |
| ------- | -------------------------------- |
| `trace` | Fine-grained debugging           |
| `debug` | Development diagnostics          |
| `info`  | Normal operations, milestones    |
| `warn`  | Potential issues, degraded state |
| `error` | Failures that need attention     |
| `fatal` | Critical failures, system down   |

```javascript
Sentry.logger.trace("Entering function", { fn: "processOrder" });
Sentry.logger.debug("Cache lookup", { key: "user:123" });
Sentry.logger.info("Order created", { orderId: "order_456" });
Sentry.logger.warn("Rate limit approaching", { current: 95, max: 100 });
Sentry.logger.error("Payment failed", { reason: "card_declined" });
Sentry.logger.fatal("Database unavailable", { host: "primary" });
```

## [Add Context](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#add-context)

Pass structured data as the second argument — these attributes become searchable columns in Sentry.

Use `Sentry.logger.fmt` for parameterized messages. Values are automatically extracted as searchable attributes.

```javascript
// Pass attributes directly
Sentry.logger.info("User signed up", {
  userId: user.id,
  plan: "pro",
  referrer: "google",
});

// Use fmt for parameterized messages
const userId = "user_123";
const productName = "Widget Pro";
Sentry.logger.info(
  Sentry.logger.fmt`User ${userId} purchased ${productName}`,
);
```

## [Scope Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#scope-attributes)

Set attributes on a scope to automatically include them in all logs within that context. Requires SDK version `10.32.0` or above.

Use global scope for app-wide attributes, and isolation scope for request-specific context. Only `string`, `number`, and `boolean` attribute values are supported.

```javascript
// Global scope - shared across entire app
Sentry.getGlobalScope().setAttributes({
  service: "checkout",
  version: "2.1.0",
});

// Isolation scope - unique per request
Sentry.getIsolationScope().setAttributes({
  org_id: user.orgId,
  user_tier: user.tier,
});

// Current scope - single operation
Sentry.withScope((scope) => {
  scope.setAttribute("request_id", req.id);
  Sentry.logger.info("Processing order");
});
```

## [Console Integration](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#console-integration)

Already using `console.log`? Capture console calls as Sentry Logs with `consoleLoggingIntegration`.

Multiple arguments are parsed as searchable attributes (requires SDK `10.13.0`+).

For [Consola](https://github.com/unjs/consola) users, use `Sentry.createConsolaReporter()` instead (requires SDK `10.12.0`+).

```javascript
Sentry.init({
  dsn: "___PUBLIC_DSN___",
  integrations: [
    Sentry.consoleLoggingIntegration({ levels: ["log", "warn", "error"] }),
  ],
});

// Arguments become searchable attributes
console.log("Executed Action for User:", 123, true);
// -> message.parameter.0: 123
// -> message.parameter.1: true
```

## [Filter Logs](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#filter-logs)

Use `beforeSendLog` to filter or modify logs before they're sent. Return `null` to drop a log.

The log object includes: `level`, `message`, `timestamp`, and `attributes`.

```javascript
Sentry.init({
  dsn: "___PUBLIC_DSN___",
  enableLogs: true,
  beforeSendLog: (log) => {
    // Drop debug logs in production
    if (log.level === "debug") {
      return null;
    }

    // Remove sensitive attributes
    if (log.attributes?.password) {
      delete log.attributes.password;
    }

    return log;
  },
});
```

## [How Logs Link to Other Features](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#how-logs-link-to-other-features)

Everything in Sentry is linked by trace. When you're viewing a log, you can jump to the parent trace to see the full request context. When you're viewing a trace, you can see all logs emitted during that operation. This connection makes it easy to move between high-level performance data and detailed diagnostic logs.

* **[Traces](https://docs.sentry.io/product/explore/traces.md)** — Logs emitted during an active span automatically include `sentry.trace.parent_span_id`. Click through from any log to see the full trace, or filter logs by trace ID to see everything that happened during a specific request.
*
* **[Errors](https://docs.sentry.io/product/issues.md)** — Logs capture the journey leading up to a failure. When an error occurs, your logs show what data was processed, which code paths executed, and what state the system was in — context that stack traces alone can't provide.

## [Best Practices](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#best-practices)

### [Wide Events Over Scattered Logs](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#wide-events-over-scattered-logs)

Instead of many small logs that are hard to correlate, emit one comprehensive log per operation with all relevant context.

This makes debugging dramatically faster — one query returns everything about a specific order, user, or request.

```javascript
// ❌ Scattered thin logs
Sentry.logger.info("Starting checkout");
Sentry.logger.info("Validating cart");
Sentry.logger.info("Processing payment");
Sentry.logger.info("Checkout complete");

// ✅ One wide event with full context
Sentry.logger.info("Checkout completed", {
  orderId: order.id,
  userId: user.id,
  cartValue: cart.total,
  itemCount: cart.items.length,
  paymentMethod: "stripe",
  duration: Date.now() - startTime,
});
```

### [Include Business Context](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#include-business-context)

Add attributes that help you prioritize and debug:

* **User context** — tier, account age, lifetime value
* **Transaction data** — order value, item count
* **Feature state** — active feature flags
* **Request metadata** — endpoint, method, duration

This lets you filter logs by high-value customers or specific features.

```javascript
Sentry.logger.info("API request completed", {
  // User context
  userId: user.id,
  userTier: user.plan, // "free" | "pro" | "enterprise"

  // Request data
  endpoint: "/api/orders",
  method: "POST",
  duration: 234,

  // Business context
  orderValue: 149.99,
  featureFlags: ["new-checkout", "discount-v2"],
});
```

## [Default Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#default-attributes)

The Node SDK automatically sets several default attributes on all log entries to provide context and improve debugging:

### [Core Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#core-attributes)

* `environment`: The environment set in the SDK if defined. This is sent from the SDK as `sentry.environment`.
* `release`: The release set in the SDK if defined. This is sent from the SDK as `sentry.release`.
* `sdk.name`: The name of the SDK that sent the log. This is sent from the SDK as `sentry.sdk.name`.
* `sdk.version`: The version of the SDK that sent the log. This is sent from the SDK as `sentry.sdk.version`.

### [Message Template Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#message-template-attributes)

If the log was parameterized, Sentry adds the message template and parameters as log attributes.

* `message.template`: The parameterized template string. This is sent from the SDK as `sentry.message.template`.
* `message.parameter.X`: The parameters to fill the template string. X can either be the number that represent the parameter's position in the template string (`sentry.message.parameter.0`, `sentry.message.parameter.1`, etc) or the parameter's name (`sentry.message.parameter.item_id`, `sentry.message.parameter.user_id`, etc). This is sent from the SDK as `sentry.message.parameter.X`.

For example, with the following log:

```javascript
const user = "John";
const product = "Product 1";
Sentry.logger.info(
  Sentry.logger.fmt`'${user}' added '${product}' to cart.`,
);
```

Sentry will add the following attributes:

* `message.template`: "%s added %s to cart."
* `message.parameter.0`: "John"
* `message.parameter.1`: "Product 1"

### [Server Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#server-attributes)

* `server.address`: The address of the server that sent the log. Equivalent to `server_name` that gets attached to Sentry errors.

### [User Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#user-attributes)

If user information is available in the current scope, the following attributes are added to the log:

* `user.id`: The user ID.
* `user.name`: The username.
* `user.email`: The email address.

### [Integration Attributes](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#integration-attributes)

If a log is generated by an SDK integration, the SDK will set additional attributes to help you identify the source of the log.

* `origin`: The origin of the log. This is sent from the SDK as `sentry.origin`.

## [Related Features](https://docs.sentry.io/platforms/javascript/guides/fastify/logs.md#related-features)

* [Tracing](https://docs.sentry.io/platforms/javascript/guides/fastify/tracing.md) — Logs are automatically linked to traces, so you can see logs in the context of the request or operation that produced them.
*
* [Error Monitoring](https://docs.sentry.io/platforms/javascript/guides/fastify/usage.md) — Use logs to add diagnostic context that helps you understand what led to an error.
