Direct OTLP Configuration for OpenTelemetry Ruby
This document shows how to export telemetry to Uptrace using the OTLP exporter directly. If you prefer the wrapper, see Getting started with OpenTelemetry Ruby.
Direct OTLP Configuration
If you prefer to use the OTLP exporter directly or are already using OpenTelemetry exporters, you can configure OpenTelemetry manually without the uptrace-ruby wrapper.
For more details on the OpenTelemetry APIs used below, see:
- OpenTelemetry Ruby Tracing API - creating spans, recording errors, adding attributes
- OpenTelemetry Ruby Metrics API - counters, histograms, and observers
- OpenTelemetry Ruby Resource detectors - service name, environment, and deployment metadata
Uptrace fully supports the OpenTelemetry Protocol (OTLP) over both gRPC and HTTP transports.
If you already have an OTLP exporter configured, you can continue using it with Uptrace by simply pointing it to the Uptrace OTLP endpoint.
Connecting to Uptrace
Choose an OTLP endpoint from the table below and pass your DSN via the uptrace-dsn header for authentication:
| Transport | Endpoint | Port |
|---|---|---|
| gRPC | https://api.uptrace.dev:4317 | 4317 |
| HTTP | https://api.uptrace.dev | 443 |
When using HTTP transport, you often need to specify the full URL for each signal type:
https://api.uptrace.dev/v1/traceshttps://api.uptrace.dev/v1/logshttps://api.uptrace.dev/v1/metrics
Note: Most OpenTelemetry SDKs support both transports. Use HTTP unless you're already familiar with gRPC.
Recommended Settings
For performance and reliability, we recommend:
- Use
BatchSpanProcessorandBatchLogProcessorfor batching spans and logs, reducing the number of export requests. - Enable
gzipcompression to reduce bandwidth usage. - Prefer
deltametrics temporality (Uptrace converts cumulative metrics automatically). - Use Protobuf encoding instead of JSON (Protobuf is more efficient and widely supported).
- Use HTTP transport for simplicity and fewer configuration issues (unless you're already familiar with gRPC).
- Optionally, use the AWS X-Ray ID generator to produce trace IDs compatible with AWS X-Ray.
Common Environment Variables
You can use environment variables to configure resource attributes and propagators::
| Variable | Description |
|---|---|
OTEL_RESOURCE_ATTRIBUTES | Comma-separated resource attributes, e.g., service.name=myservice,service.version=1.0.0. |
OTEL_SERVICE_NAME=myservice | Sets the service.name attribute (overrides OTEL_RESOURCE_ATTRIBUTES). |
OTEL_PROPAGATORS | Comma-separated list of context propagators (default: tracecontext,baggage). |
Most language SDKs allow configuring the OTLP exporter entirely via environment variables:
# Endpoint (choose HTTP or gRPC)
export OTEL_EXPORTER_OTLP_ENDPOINT="https://api.uptrace.dev" # HTTP
#export OTEL_EXPORTER_OTLP_ENDPOINT="https://api.uptrace.dev:4317" # gRPC
# Pass DSN for authentication
export OTEL_EXPORTER_OTLP_HEADERS="uptrace-dsn=<FIXME>"
# Performance optimizations
export OTEL_EXPORTER_OTLP_COMPRESSION=gzip
export OTEL_EXPORTER_OTLP_METRICS_DEFAULT_HISTOGRAM_AGGREGATION=BASE2_EXPONENTIAL_BUCKET_HISTOGRAM
export OTEL_EXPORTER_OTLP_METRICS_TEMPORALITY_PREFERENCE=DELTA
Configure BatchSpanProcessor to balance throughput and payload size:
export OTEL_BSP_EXPORT_TIMEOUT=10000 # Max export timeout (ms)
export OTEL_BSP_MAX_EXPORT_BATCH_SIZE=10000 # Avoid >32MB payloads
export OTEL_BSP_MAX_QUEUE_SIZE=30000 # Adjust for available memory
export OTEL_BSP_MAX_CONCURRENT_EXPORTS=2 # Parallel exports
Exporting Traces
This example shows how to configure the OTLP trace exporter to send distributed traces to Uptrace. For information on creating spans and using the tracing API, see OpenTelemetry Ruby Tracing.
Here is a complete example:
#!/usr/bin/env ruby
# frozen_string_literal: true
require 'bundler/setup'
require 'opentelemetry/sdk'
require 'opentelemetry/exporter/otlp'
require 'opentelemetry-propagator-xray'
require 'opentelemetry/instrumentation/all'
# Fetch Uptrace DSN from environment (required)
dsn = ENV.fetch('UPTRACE_DSN', nil)
abort('Missing UPTRACE_DSN environment variable') unless dsn
puts "Using Uptrace DSN: #{dsn}"
# Configure OTLP exporter to send data to Uptrace
exporter = OpenTelemetry::Exporter::OTLP::Exporter.new(
endpoint: 'https://api.uptrace.dev/v1/traces',
headers: { 'uptrace-dsn': dsn }, # Uptrace authentication
compression: 'gzip'
)
# Use a batch span processor for better performance
span_processor = OpenTelemetry::SDK::Trace::Export::BatchSpanProcessor.new(
exporter,
max_queue_size: 1000,
max_export_batch_size: 512 # smaller batch size helps avoid large payloads
)
# Configure the global OpenTelemetry SDK
OpenTelemetry::SDK.configure do |c|
c.service_name = 'myservice' # Customize your service name
c.service_version = '1.0.0' # Optional: version for observability
c.id_generator = OpenTelemetry::Propagator::XRay::IDGenerator # Optional: AWS X-Ray style IDs
c.add_span_processor(span_processor)
c.use_all
end
# Get a tracer for your app
tracer = OpenTelemetry.tracer_provider.tracer('my_app_or_gem', '1.0.0')
# Create a sample trace
tracer.in_span('main-operation') do |span|
puts "Trace ID: #{span.context.hex_trace_id}"
end
# Ensure all spans are flushed before exiting
OpenTelemetry.tracer_provider.shutdown
Exporting Metrics
This example shows how to configure the OTLP metrics exporter to send OpenTelemetry metrics to Uptrace. For information on creating counters, histograms, and observers, see OpenTelemetry Ruby Metrics.
Here is a complete example:
#!/usr/bin/env ruby
# frozen_string_literal: true
require 'rubygems'
require 'bundler/setup'
require 'opentelemetry/sdk'
require 'opentelemetry/exporter/otlp'
require 'opentelemetry-metrics-sdk'
require 'opentelemetry-exporter-otlp-metrics'
# Fetch Uptrace DSN from environment (required)
dsn = ENV.fetch('UPTRACE_DSN', nil)
abort('Missing UPTRACE_DSN environment variable') unless dsn
puts "Using Uptrace DSN: #{dsn}"
# Configure the OTLP metrics exporter
metric_exporter = OpenTelemetry::Exporter::OTLP::Metrics::MetricsExporter.new(
endpoint: 'https://api.uptrace.dev/v1/metrics',
headers: { 'uptrace-dsn': dsn }, # Uptrace authentication
compression: 'gzip'
)
# Periodic reader pushes metrics every 5 seconds
metric_reader = OpenTelemetry::SDK::Metrics::Export::PeriodicMetricReader.new(
exporter: metric_exporter,
export_interval_millis: 5_000,
export_timeout_millis: 10_000
)
# Initialize the SDK with the custom metric reader
OpenTelemetry::SDK.configure do |c|
c.add_metric_reader(metric_reader)
end
# Obtain a Meter instance
meter = OpenTelemetry.meter_provider.meter('example-meter')
# Create a histogram instrument
histogram = meter.create_histogram(
'example_histogram',
unit: 'items',
description: 'Example histogram metric'
)
trap('INT') do
puts "\nShutting down..."
OpenTelemetry.meter_provider.shutdown
exit
end
# Record some metric values periodically
loop do
value = rand(100..200)
puts "Recording histogram value: #{value}"
histogram.record(value, attributes: { 'env' => 'dev', 'feature' => 'demo' })
sleep 1
end
Exporting Logs
This example shows how to configure the OTLP logs exporter to send logs to Uptrace. The logs are correlated with traces using the active span context.
Here is a complete example:
#!/usr/bin/env ruby
# frozen_string_literal: true
require 'rubygems'
require 'bundler/setup'
require 'opentelemetry/sdk'
require 'opentelemetry-exporter-otlp'
require 'opentelemetry-logs-sdk'
require 'opentelemetry/exporter/otlp_logs'
# Ensure DSN is set
dsn = ENV.fetch('UPTRACE_DSN', nil)
abort('Missing UPTRACE_DSN environment variable') unless dsn
# Configure OpenTelemetry (for traces, metrics, and logs if desired)
OpenTelemetry::SDK.configure
# Configure log exporter
log_exporter = OpenTelemetry::Exporter::OTLP::Logs::LogsExporter.new(
endpoint: 'https://api.uptrace.dev/v1/logs',
headers: { 'uptrace-dsn': dsn }, # Uptrace auth
compression: 'gzip', # Reduce bandwidth
timeout: 10 # Seconds
)
# Attach batch processor (buffers + exports logs)
processor = OpenTelemetry::SDK::Logs::Export::BatchLogRecordProcessor.new(log_exporter)
OpenTelemetry.logger_provider.add_log_record_processor(processor)
# Ensure we flush logs on shutdown
at_exit { OpenTelemetry.logger_provider.shutdown }
# Create a logger (can be reused globally)
LOGGER = OpenTelemetry.logger_provider.logger(name: 'my_app', version: '1.0.0')
# Helper for structured logging
def log_info(message, attrs = {})
LOGGER.on_emit(
timestamp: Time.now.utc,
severity_text: 'INFO',
body: message,
attributes: attrs
)
end
# Example usage
log_info('Application started', service: 'user-service', region: 'eu-west-1')
log_info('Processing completed', status: 'success')