JSPM

@flarelabs-net/workers-observability-utils

0.3.5
    • ESM via JSPM
    • ES Module Entrypoint
    • Export Map
    • Keywords
    • License
    • Repository URL
    • TypeScript Types
    • README
    • Created
    • Published
    • Downloads 1117
    • Score
      100M100P100Q109685F
    • License ISC

    A collection of Utilities for Capturing Logs and Metrics from Cloudflare Workers

    Package Exports

    • @flarelabs-net/workers-observability-utils
    • @flarelabs-net/workers-observability-utils/metrics
    • @flarelabs-net/workers-observability-utils/tail

    Readme

    Workers Observability Utils

    A lightweight package for capturing and exporting metrics and logs from Cloudflare Workers.

    Features

    • Centralized export via configurable Tail Worker to multiple sinks (Datadog, Workers Analytics Engine, OpenTelemetry)
    • Comprehensive metric support: COUNT, GAUGE, and HISTOGRAM with auto-aggregation and tagging
    • Native console.log() support - works with existing logging, no code changes required

    Basic Usage

    Setting Up Metrics in Your Worker

    The main worker will capture metrics and publish them through a diagnostics channel. The metrics object provides methods for recording different types of metrics:

    import { metrics } from '@flarelabs-net/workers-observability-utils';
    
    export default {
      async fetch(request, env, ctx) {
        // Record count metric with tags
        metrics.count('worker.request', 1, {
          method: request.method,
        });
    
        // Record gauge metric
        metrics.gauge('worker.connections.active', 42);
    
        // Record histogram metric for response time.
        // Note: Timers are not totally accurate in cloudflare worker environments
        // but this can give an indication of relative performance
        const startTime = Date.now();
        const response = await processRequest();
        const responseTime = Date.now() - startTime;
        metrics.histogram('worker.response_time', responseTime, {
          percentiles: [0.5, 0.95, 0.99],
          aggregates: ['avg', 'max']
        });
    
        return response;
      },
    };

    Metric Types

    This library supports three types of metrics:

    1. COUNT - Represents the total number of occurrences. It can be incremented or decremented. (e.g., request count, error count)

      metrics.count('worker.request', 1, { status: '200' });
    2. GAUGE - Point-in-time measurement (e.g., memory usage, connection count)

      metrics.gauge('worker.memory_usage', memoryUsage, { region: 'earth' });
    3. HISTOGRAM - Distribution of values over time with statistical aggregations

      metrics.histogram('worker.response_time', responseTimeMs, {
        percentiles: [0.5, 0.95, 0.99],  // p50, p95, and p99 percentiles
        aggregates: ['avg', 'max', 'min', 'sum', 'count']
      }, { endpoint: '/api' });

      Histogram metrics automatically generate multiple derived metrics:

      • Percentiles (as gauges): worker.cpu_time.p50, worker.cpu_time.p95, etc.
      • Aggregates: worker.cpu_time.avg, worker.cpu_time.max, etc.

    Tags

    All metrics support tags, which are key-value pairs that help categorize and filter metrics:

    metrics.count('worker.request', 1, {
      method: 'GET',
      path: '/api',
      status: '200'
    });

    Setting Up Logs in Your Worker

    This library automatically captures all console.log() calls from your worker - no code changes required! Your existing logging will be collected and exported through the Tail Worker.

    export default {
      async fetch(request, env, ctx) {
        // These logs will be automatically captured and exported
        console.log('Processing request', { method: request.method, url: request.url });
        console.error('Something went wrong', { error: 'details' });
        console.warn('This is a warning');
        
        return new Response('Hello World');
      },
    };

    Log Sinks

    Currently supported log destination:

    • OpenTelemetry - Forward logs to any OpenTelemetry compatible collector

    Setting Up the Tail Worker

    To efficiently export metrics to external providers, you should set up a dedicated Tail Worker. This architecture allows your main worker to focus on handling requests, while the Tail Worker handles metric collection and export. For more information, see the Cloudflare Tail Workers documentation.

    Multiple Sinks

    With this library, you can send metrics to multiple destinations simultaneously. The TailExporter supports an array of metric sinks, and each sink receives the same metrics data. Currently supported sinks include:

    • Datadog - Export metrics to Datadog for visualization and alerting
    • Workers Analytics Engine - Store metrics in Cloudflare's Analytics Engine for custom queries and analysis - WARNING: the default number of writes to workers analytics engine per request is 25.
    • Otel Metrics - Send your Metrics to any OpenTelemetry compatible collector

    When using multiple sinks, metrics will be sent to all configured sinks in parallel. If one sink fails, the others will still receive the metrics.

    Tail Worker Configuration

    1. Create a new Worker for handling tail events:
    // tail-worker/src/index.ts
    import { TailExporter, DatadogMetricSink, WorkersAnalyticsEngineSink, OtelMetricSink, OtelLogSink } from '@flarelabs-net/workers-observability-utils';
    
    export default new TailExporter({
      metrics: {
        sinks: [
          new DatadogMetricSink({
            site: 'us3.datadoghq.com',
            // API key can be provided here or via environment variables
            // apiKey: 'your-datadog-api-key'
          }),
          new WorkersAnalyticsEngineSink({
            datasetBinding: env.ANALYTICS_ENGINE_DATASET
          }),
          new OtelMetricSink({
                    url: 'https://my-otel-exporter.io',
                    headers: {
                        
                    },
                }),
        ],
        // Optional default metrics to collect automatically
        defaultMetrics: {
          cpuTime: true,           // default: true - collects worker.cpu_time as a GAUGE
          wallTime: true,          // default: true - collects worker.wall_time as a GAUGE
          workersInvocation: true, // default: true - collects worker.invocation as a COUNT
        },
        // When using Workers Analytics Engine, a value of 20 or less is recommended due to soft limits
        maxBufferSize: 20,
        // Maximum duration in seconds to buffer before flushing (default: 5, max: 30)
        maxBufferDuration: 5
      },
      logs: {
        sinks: [
          new OtelLogSink({
                    url: 'https://my-otel-exporter.io',
                    headers: {
                        
                    },
                    defaultLogsEnabled: {
                        invocationLog: true;
                    };
                }),
        ],
        maxBufferSize: 20,
        maxBufferDuration: 5
      }
    });

    Default log

    The Tail Exporter can emit a small set of built-in logs per sink via the defaultLogsEnabled option (used by sinks such as OtelLogSink). The most common default log is:

    • invocationLog (default: true): emits a per-invocation log record containing metadata about the invocation (script name, execution model, outcome, versionId), timing information, and any global tags. This complements automatic console capture and is useful for tracing, auditing, and correlating metrics with individual invocations.

    To disable the invocation log for a sink, set:

    new OtelLogSink({
      ...
      defaultLogsEnabled: {
        invocationLog: false;
      };
    }),

    You can enable or disable default logs per sink when constructing the sink (see the OtelLogSink example above).

    1. Set up Datadog API key:
    # Using wrangler secrets
    wrangler secret put DD_API_KEY
    # Or DATADOG_API_KEY is also supported
    1. Configure your Worker:
    // wrangler.jsonc for the Emitting Worker
    {
      "name": "my-worker",
      // Required: Enable the tail_consumers configuration
      "tail_consumers": [
        {
          "service": "name-of-tail-worker",
        }
      ]
    }

    Environment Variables and Bindings

    The Tail Worker supports the following environment variables and bindings:

    For Datadog

    • DD_API_KEY: Your Datadog API key
    • DD_SITE: the datadog url i.e. us3.datadoghq.com

    For Workers Analytics Engine

    • Requires an Analytics Engine dataset binding in your wrangler.jsonc:
    {
      "analytics_engine_datasets": [
        {
          "binding": "ANALYTICS_ENGINE_DATASET",
          "dataset": "your-dataset-name"
        }
      ]
    }

    Note: Workers Analytics Engine has a soft limit of 25 writes per invocation, so it's recommended to keep your maxBufferSize at 20 or lower when using this sink.

    Default Metrics

    The Tail Worker can automatically collect the following metrics without any instrumentation in your main worker:

    1. CPU Time (worker.cpu_time) - A GAUGE metric measuring the CPU time used by the worker in milliseconds
    2. Wall Time (worker.wall_time) - A GAUGE metric measuring the total execution time of the worker in milliseconds
    3. Workers Invocation (worker.invocation) - A COUNT metric that increases by 1 for each worker invocation

    These metrics are collected with the same global tags that are applied to your custom metrics (scriptName, executionModel, outcome, versionId).

    You can enable or disable these default metrics in the TailExporter configuration:

    export default new TailExporter({
      metrics: {
        sinks: [...],
        defaultMetrics: {
          cpuTime: true,           // default: true
          wallTime: true,          // default: true
          workersInvocation: true, // default: true
        }
      }
    });