Instrumentation
Instrumentation is the act of adding observability code to an app yourself.
If you’re instrumenting an app, you need to use the OpenTelemetry SDK for your language. You’ll then use the SDK to initialize OpenTelemetry and the API to instrument your code. This will emit telemetry from your app, and any library you installed that also comes with instrumentation.
If you’re instrumenting a library, only install the OpenTelemetry API package for your language. Your library will not emit telemetry on its own. It will only emit telemetry when it is part of an app that uses the OpenTelemetry SDK. For more on instrumenting libraries, see Libraries.
For more information about the OpenTelemetry API and SDK, see the specification.
Note
See Manage Telemetry with SDK for a conceptual overview of OpenTelemetry Java SDK concepts. See Configure the SDK for details on SDK configuration, including zero-code SDK autoconfigure.Note
On this page you will learn how you can add traces, metrics and logs to your code manually. But, you are not limited to only use one kind of instrumentation: use zero-code instrumentation to get started and then enrich your code with manual instrumentation as needed.
Note, that especially if you cannot modify the source code of your app, you can skip manual instrumentation and only use automatic instrumentation.
Also, for libraries your code depends on, you don’t have to write instrumentation code yourself, since they might come with OpenTelemetry built-in natively or you can make use of instrumentation libraries.
Example app preparation
This page uses a modified version of the example app from Getting Started to help you learn about manual instrumentation.
You don’t have to use the example app: if you want to instrument your own app or library, follow the instructions here to adapt the process to your own code.
Prerequisites
For running the example app, ensure that you have the following installed locally:
- Java JDK 17+, due to the use of Spring Boot 3. OpenTelemetry Java itself only requires Java 8+.
- Gradle.
Dependencies
To begin, set up an environment in a new directory called java-simple
. Within
that directory, create a file called build.gradle.kts
with the following
content:
plugins {
id("java")
id("org.springframework.boot") version "3.0.6"
id("io.spring.dependency-management") version "1.1.0"
}
sourceSets {
main {
java.setSrcDirs(setOf("."))
}
}
repositories {
mavenCentral()
}
dependencies {
implementation("org.springframework.boot:spring-boot-starter-web")
}
Create and launch an HTTP Server
To highlight the difference between instrumenting a library and a standalone app, split out the dice rolling into a library class, which then will be imported as a dependency by the app.
Create the library file name Dice.java
and add the following code to it:
package otel;
import java.util.ArrayList;
import java.util.List;
import java.util.concurrent.ThreadLocalRandom;
public class Dice {
private int min;
private int max;
public Dice(int min, int max) {
this.min = min;
this.max = max;
}
public List<Integer> rollTheDice(int rolls) {
List<Integer> results = new ArrayList<Integer>();
for (int i = 0; i < rolls; i++) {
results.add(this.rollOnce());
}
return results;
}
private int rollOnce() {
return ThreadLocalRandom.current().nextInt(this.min, this.max + 1);
}
}
Create the app files DiceApplication.java
and RollController.java
and add
the following code to them:
// DiceApplication.java
package otel;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.Banner;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class DiceApplication {
public static void main(String[] args) {
SpringApplication app = new SpringApplication(DiceApplication.class);
app.setBannerMode(Banner.Mode.OFF);
app.run(args);
}
}
// RollController.java
package otel;
import java.util.List;
import java.util.Optional;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.http.HttpStatus;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;
import org.springframework.web.server.ResponseStatusException;
import otel.Dice;
@RestController
public class RollController {
private static final Logger logger = LoggerFactory.getLogger(RollController.class);
@GetMapping("/rolldice")
public List<Integer> index(@RequestParam("player") Optional<String> player,
@RequestParam("rolls") Optional<Integer> rolls) {
if (!rolls.isPresent()) {
throw new ResponseStatusException(HttpStatus.BAD_REQUEST, "Missing rolls parameter", null);
}
List<Integer> result = new Dice(1, 6).rollTheDice(rolls.get());
if (player.isPresent()) {
logger.info("{} is rolling the dice: {}", player.get(), result);
} else {
logger.info("Anonymous player is rolling the dice: {}", result);
}
return result;
}
}
To ensure that it is working, run the application with the following command and open http://localhost:8080/rolldice?rolls=12 in your web browser:
gradle assemble
java -jar ./build/libs/java-simple.jar
You should get a list of 12 numbers in your browser window, for example:
[5,6,5,3,6,1,2,5,4,4,2,4]
Manual instrumentation setup
For both library and app instrumentation, the first step is to install the dependencies for the OpenTelemetry API.
Throughout this documentation you will add dependencies. For a full list of artifact coordinates, see releases. For semantic convention releases, see semantic-conventions-java.
Dependency management
A Bill of Material
(BOM)
ensures that versions of dependencies (including transitive ones) are aligned.
Importing the opentelemetry-bom
BOM is important to ensure version alignment
across all OpenTelemetry dependencies.
dependencyManagement {
imports {
mavenBom("io.opentelemetry:opentelemetry-bom:1.42.1")
}
}
dependencies {
implementation("org.springframework.boot:spring-boot-starter-web");
implementation("io.opentelemetry:opentelemetry-api");
}
If you are not using Spring and its io.spring.dependency-management
dependency
management plugin, install the OpenTelemetry BOM and API using Gradle
dependencies only.
dependencies {
implementation(platform("io.opentelemetry:opentelemetry-bom:1.42.1"));
implementation("io.opentelemetry:opentelemetry-api");
}
<project>
<dependencyManagement>
<dependencies>
<dependency>
<groupId>io.opentelemetry</groupId>
<artifactId>opentelemetry-bom</artifactId>
<version>1.42.1</version>
<type>pom</type>
<scope>import</scope>
</dependency>
</dependencies>
</dependencyManagement>
<dependencies>
<dependency>
<groupId>io.opentelemetry</groupId>
<artifactId>opentelemetry-api</artifactId>
</dependency>
</dependencies>
</project>
Traces
The following sections describe the OpenTelemetry Java tracing API. See SdkTracerProvider for an overview of trace SDK concepts and configuration.
Acquiring a tracer
To do Tracing you’ll need to acquire a
Tracer
.
Note: Methods of the OpenTelemetry SDK should never be called.
First, a Tracer
must be acquired, which is responsible for creating spans and
interacting with the Context. A tracer is acquired by
using the OpenTelemetry API specifying the name and version of the library
instrumenting the instrumented library or application
to be monitored. More information is available in the specification chapter Obtaining
a
Tracer.
Anywhere in your application where you write manual tracing code should call
getTracer
to acquire a tracer. For example:
import io.opentelemetry.api.trace.Tracer;
Tracer tracer = openTelemetry.getTracer("instrumentation-scope-name", "instrumentation-scope-version");
The values of instrumentation-scope-name
and instrumentation-scope-version
should uniquely identify the
Instrumentation Scope, such as the
package, module or class name. This will help later help determining what the
source of telemetry is. While the name is required, the version is still
recommended despite being optional. Note, that all Tracer
s that are created by
a single OpenTelemetry
instance will interoperate, regardless of name.
It’s generally recommended to call getTracer
in your app when you need it
rather than exporting the tracer
instance to the rest of your app. This helps
avoid trickier application load issues when other required dependencies are
involved.
In the case of the example app, there are two places where a tracer may be acquired with an appropriate Instrumentation Scope:
First, in the index
method of the RollController
as follows:
package otel;
// ...
import org.springframework.beans.factory.annotation.Autowired;
import io.opentelemetry.api.OpenTelemetry;
import io.opentelemetry.api.trace.Tracer;
@RestController
public class RollController {
private static final Logger logger = LoggerFactory.getLogger(RollController.class);
private final Tracer tracer;
@Autowired
RollController(OpenTelemetry openTelemetry) {
tracer = openTelemetry.getTracer(RollController.class.getName(), "0.1.0");
}
// ...
}
And second, in the library file Dice.java
:
// ...
import io.opentelemetry.api.OpenTelemetry;
import io.opentelemetry.api.trace.Tracer;
public class Dice {
private int min;
private int max;
private Tracer tracer;
public Dice(int min, int max, OpenTelemetry openTelemetry) {
this.min = min;
this.max = max;
this.tracer = openTelemetry.getTracer(Dice.class.getName(), "0.1.0");
}
public Dice(int min, int max) {
this(min, max, OpenTelemetry.noop());
}
// ...
}
As an aside, if you are writing library instrumentation, it is strongly
recommended that you provide your users the ability to inject an instance of
OpenTelemetry
into your instrumentation code. If this is not possible for some
reason, you can fall back to using an instance from the GlobalOpenTelemetry
class:
import io.opentelemetry.api.GlobalOpenTelemetry;
Tracer tracer = GlobalOpenTelemetry.getTracer("instrumentation-scope-name", "instrumentation-scope-version");
Note that you can’t force end users to configure the global, so this is the most brittle option for library instrumentation.
Acquiring a tracer in Java agent
If you are using the Java agent, you can acquire a Tracer
from the global OpenTelemetry
instance:
import io.opentelemetry.api.GlobalOpenTelemetry;
Tracer tracer = GlobalOpenTelemetry.getTracer("application");
If you are using Spring Boot, you can add the following bean to your
@SpringBootApplication
class - to acquire a Tracer
as in the
Spring Boot starter section below:
import io.opentelemetry.api.OpenTelemetry;
import io.opentelemetry.api.GlobalOpenTelemetry;
@Configuration
public class OpenTelemetryConfig {
@Bean
public OpenTelemetry openTelemetry() {
return GlobalOpenTelemetry.get();
}
}
Acquiring a tracer in Spring Boot starter
If you are using the Spring Boot starter, you can acquire a Tracer
from the
autowired OpenTelemetry instance:
import io.opentelemetry.api.OpenTelemetry;
import io.opentelemetry.api.trace.Tracer;
@Controller
public class MyController {
private final Tracer tracer;
public MyController(OpenTelemetry openTelemetry) {
this.tracer = openTelemetry.getTracer("application");
}
}
Create Spans
Now that you have tracers initialized, you can create spans.
To create Spans, you only need to specify the name of the span. The start and end time of the span is automatically set by the OpenTelemetry SDK.
The code below illustrates how to create a span:
import io.opentelemetry.api.trace.Span;
import io.opentelemetry.context.Scope;
// ...
@GetMapping("/rolldice")
public List<Integer> index(@RequestParam("player") Optional<String> player,
@RequestParam("rolls") Optional<Integer> rolls) {
Span span = tracer.spanBuilder("rollTheDice").startSpan();
// Make the span the current span
try (Scope scope = span.makeCurrent()) {
if (!rolls.isPresent()) {
throw new ResponseStatusException(HttpStatus.BAD_REQUEST, "Missing rolls parameter", null);
}
List<Integer> result = new Dice(1, 6).rollTheDice(rolls.get());
if (player.isPresent()) {
logger.info("{} is rolling the dice: {}", player.get(), result);
} else {
logger.info("Anonymous player is rolling the dice: {}", result);
}
return result;
} catch(Throwable t) {
span.recordException(t);
throw t;
} finally {
span.end();
}
}
It’s required to call end()
to end the span when you want it to end.
If you followed the instructions using the example app up to
this point, you can copy the code above into the index
method of the
RollController
. You should now be able to see spans emitted from your app.
Start your app as follows, and then send it requests by visiting
http://localhost:8080/rolldice with your browser or curl
:
gradle assemble
env \
OTEL_SERVICE_NAME=dice-server \
OTEL_TRACES_EXPORTER=logging \
OTEL_METRICS_EXPORTER=logging \
OTEL_LOGS_EXPORTER=logging \
java -jar ./build/libs/java-simple.jar
After a while, you should see the spans printed in the console by the
LoggingSpanExporter
, something like this:
2023-08-02T17:22:22.658+02:00 INFO 2313 --- [nio-8080-exec-1] i.o.e.logging.LoggingSpanExporter : 'rollTheDice' : 565232b11b9933fa6be8d6c4a1307fe2 6e1e011e2e8c020b INTERNAL [tracer: otel.RollController:0.1.0] {}
Create nested Spans
Most of the time, we want to correlate spans for nested operations. OpenTelemetry supports tracing within processes and across remote processes. For more details how to share context between remote processes, see Context Propagation.
For example in the Dice
class method rollTheDice
calling method rollOnce
,
the spans could be manually linked in the following way:
import io.opentelemetry.api.trace.Span;
import io.opentelemetry.context.Context;
// ...
public List<Integer> rollTheDice(int rolls) {
Span parentSpan = tracer.spanBuilder("parent").startSpan();
List<Integer> results = new ArrayList<Integer>();
try {
for (int i = 0; i < rolls; i++) {
results.add(this.rollOnce(parentSpan));
}
return results;
} finally {
parentSpan.end();
}
}
private int rollOnce(Span parentSpan) {
Span childSpan = tracer.spanBuilder("child")
.setParent(Context.current().with(parentSpan))
.startSpan();
try {
return ThreadLocalRandom.current().nextInt(this.min, this.max + 1);
} finally {
childSpan.end();
}
}
The OpenTelemetry API offers also an automated way to propagate the parent span on the current thread:
import io.opentelemetry.api.trace.Span;
import io.opentelemetry.context.Scope;
// ...
public List<Integer> rollTheDice(int rolls) {
Span parentSpan = tracer.spanBuilder("parent").startSpan();
try (Scope scope = parentSpan.makeCurrent()) {
List<Integer> results = new ArrayList<Integer>();
for (int i = 0; i < rolls; i++) {
results.add(this.rollOnce());
}
return results;
} finally {
parentSpan.end();
}
}
private int rollOnce() {
Span childSpan = tracer.spanBuilder("child")
// NOTE: setParent(...) is not required;
// `Span.current()` is automatically added as the parent
.startSpan();
try(Scope scope = childSpan.makeCurrent()) {
return ThreadLocalRandom.current().nextInt(this.min, this.max + 1);
} finally {
childSpan.end();
}
}
}
To link spans from remote processes, it is sufficient to set the Remote Context as parent.
Span childRemoteParent = tracer.spanBuilder("Child").setParent(remoteContext).startSpan();
Get the current span
Sometimes it’s helpful to do something with the current/active span at a particular point in program execution.
Span span = Span.current()
And if you want the current span for a particular Context
object:
Span span = Span.fromContext(context)
Span Attributes
In OpenTelemetry spans can be created freely and it’s up to the implementor to annotate them with attributes specific to the represented operation. Attributes provide additional context on a span about the specific operation it tracks, such as results or operation properties.
Span span = tracer.spanBuilder("/resource/path").setSpanKind(SpanKind.CLIENT).startSpan();
span.setAttribute("http.method", "GET");
span.setAttribute("http.url", url.toString());
Semantic Attributes
There are semantic conventions for spans representing operations in well-known protocols like HTTP or database calls. Semantic conventions for these spans are defined in the specification at Trace Semantic Conventions.
First add the semantic conventions as a dependency to your application:
dependencies {
implementation("io.opentelemetry.semconv:opentelemetry-semconv:1.27.0-alpha")
}
<dependency>
<groupId>io.opentelemetry.semconv</groupId>
<artifactId>opentelemetry-semconv</artifactId>
<version>1.27.0-alpha</version>
</dependency>
Finally, you can update your file to include semantic attributes:
Span span = tracer.spanBuilder("/resource/path").setSpanKind(SpanKind.CLIENT).startSpan();
span.setAttribute(SemanticAttributes.HTTP_METHOD, "GET");
span.setAttribute(SemanticAttributes.HTTP_URL, url.toString());
Create Spans with events
Spans can be annotated with named events (called Span Events) that can carry zero or more Span Attributes, each of which itself is a key:value map paired automatically with a timestamp.
span.addEvent("Init");
...
span.addEvent("End");
Attributes eventAttributes = Attributes.of(
AttributeKey.stringKey("key"), "value",
AttributeKey.longKey("result"), 0L);
span.addEvent("End Computation", eventAttributes);
Create Spans with links
A Span may be linked to zero or more other Spans that are causally related via a Span Link. Links can be used to represent batched operations where a Span was initiated by multiple initiating Spans, each representing a single incoming item being processed in the batch.
Span child = tracer.spanBuilder("childWithLink")
.addLink(parentSpan1.getSpanContext())
.addLink(parentSpan2.getSpanContext())
.addLink(parentSpan3.getSpanContext())
.addLink(remoteSpanContext)
.startSpan();
For more details how to read context from remote processes, see Context Propagation.
Set span status
A status can be set on a
span, typically used to specify that a
span has not completed successfully - SpanStatus.Error
. In rare scenarios, you
could override the Error
status with OK
, but don’t set OK
on
successfully-completed spans.
The status can be set at any time before the span is finished:
Span span = tracer.spanBuilder("my span").startSpan();
// put the span into the current Context
try (Scope scope = span.makeCurrent()) {
// do something
} catch (Throwable t) {
span.setStatus(StatusCode.ERROR, "Something bad happened!");
throw t;
} finally {
span.end(); // Cannot set a span after this call
}
Record exceptions in spans
It can be a good idea to record exceptions when they happen. It’s recommended to do this in conjunction with setting span status.
Span span = tracer.spanBuilder("my span").startSpan();
// put the span into the current Context
try (Scope scope = span.makeCurrent()) {
// do something
} catch (Throwable throwable) {
span.setStatus(StatusCode.ERROR, "Something bad happened!");
span.recordException(throwable);
} finally {
span.end(); // Cannot set a span after this call
}
This will capture things like the current stack trace in the span.
Context Propagation
OpenTelemetry provides a text-based approach to propagate context to remote services using the W3C Trace Context HTTP headers.
Context propagation between threads
The following example demonstrates how to propagate the context between threads:
io.opentelemetry.context.Context context = io.opentelemetry.context.Context.current();
Thread thread = new Thread(context.wrap(new Runnable() {
@Override
public void run() {
// Code for which you want to propagate the context
}
}));
thread.start();
Context propagation between HTTP requests
The following presents an example of an outgoing HTTP request using
HttpURLConnection
.
// Tell OpenTelemetry to inject the context in the HTTP headers
TextMapSetter<HttpURLConnection> setter =
new TextMapSetter<HttpURLConnection>() {
@Override
public void set(HttpURLConnection carrier, String key, String value) {
// Insert the context as Header
carrier.setRequestProperty(key, value);
}
};
URL url = new URL("http://127.0.0.1:8080/resource");
Span outGoing = tracer.spanBuilder("/resource").setSpanKind(SpanKind.CLIENT).startSpan();
try (Scope scope = outGoing.makeCurrent()) {
// Use the Semantic Conventions.
// (Note that to set these, Span does not *need* to be the current instance in Context or Scope.)
outGoing.setAttribute(SemanticAttributes.HTTP_METHOD, "GET");
outGoing.setAttribute(SemanticAttributes.HTTP_URL, url.toString());
HttpURLConnection transportLayer = (HttpURLConnection) url.openConnection();
// Inject the request with the *current* Context, which contains our current Span.
openTelemetry.getPropagators().getTextMapPropagator().inject(Context.current(), transportLayer, setter);
// Make outgoing call
} finally {
outGoing.end();
}
...
Similarly, the text-based approach can be used to read the W3C Trace Context from incoming requests. The following presents an example of processing an incoming HTTP request using HttpExchange.
TextMapGetter<HttpExchange> getter =
new TextMapGetter<>() {
@Override
public String get(HttpExchange carrier, String key) {
if (carrier.getRequestHeaders().containsKey(key)) {
return carrier.getRequestHeaders().get(key).get(0);
}
return null;
}
@Override
public Iterable<String> keys(HttpExchange carrier) {
return carrier.getRequestHeaders().keySet();
}
};
...
public void handle(HttpExchange httpExchange) {
// Extract the SpanContext and other elements from the request.
Context extractedContext = openTelemetry.getPropagators().getTextMapPropagator()
.extract(Context.current(), httpExchange, getter);
try (Scope scope = extractedContext.makeCurrent()) {
// Automatically use the extracted SpanContext as parent.
Span serverSpan = tracer.spanBuilder("GET /resource")
.setSpanKind(SpanKind.SERVER)
.startSpan();
try {
// Add the attributes defined in the Semantic Conventions
serverSpan.setAttribute(SemanticAttributes.HTTP_METHOD, "GET");
serverSpan.setAttribute(SemanticAttributes.HTTP_SCHEME, "http");
serverSpan.setAttribute(SemanticAttributes.HTTP_HOST, "localhost:8080");
serverSpan.setAttribute(SemanticAttributes.HTTP_TARGET, "/resource");
// Serve the request
...
} finally {
serverSpan.end();
}
}
}
The following code presents an example to read the W3C Trace Context from incoming request, add spans, and further propagate the context. The example utilizes HttpHeaders to fetch the traceparent header for context propagation.
TextMapGetter<HttpHeaders> getter =
new TextMapGetter<HttpHeaders>() {
@Override
public String get(HttpHeaders headers, String s) {
assert headers != null;
return headers.getHeaderString(s);
}
@Override
public Iterable<String> keys(HttpHeaders headers) {
List<String> keys = new ArrayList<>();
MultivaluedMap<String, String> requestHeaders = headers.getRequestHeaders();
requestHeaders.forEach((k, v) ->{
keys.add(k);
});
}
};
TextMapSetter<HttpURLConnection> setter =
new TextMapSetter<HttpURLConnection>() {
@Override
public void set(HttpURLConnection carrier, String key, String value) {
// Insert the context as Header
carrier.setRequestProperty(key, value);
}
};
//...
public void handle(<Library Specific Annotation> HttpHeaders headers){
Context extractedContext = opentelemetry.getPropagators().getTextMapPropagator()
.extract(Context.current(), headers, getter);
try (Scope scope = extractedContext.makeCurrent()) {
// Automatically use the extracted SpanContext as parent.
Span serverSpan = tracer.spanBuilder("GET /resource")
.setSpanKind(SpanKind.SERVER)
.startSpan();
try(Scope ignored = serverSpan.makeCurrent()) {
// Add the attributes defined in the Semantic Conventions
serverSpan.setAttribute(SemanticAttributes.HTTP_METHOD, "GET");
serverSpan.setAttribute(SemanticAttributes.HTTP_SCHEME, "http");
serverSpan.setAttribute(SemanticAttributes.HTTP_HOST, "localhost:8080");
serverSpan.setAttribute(SemanticAttributes.HTTP_TARGET, "/resource");
HttpURLConnection transportLayer = (HttpURLConnection) url.openConnection();
// Inject the request with the *current* Context, which contains our current Span.
openTelemetry.getPropagators().getTextMapPropagator().inject(Context.current(), transportLayer, setter);
// Make outgoing call
}finally {
serverSpan.end();
}
}
}
Metrics
Spans provide detailed information about your application, but produce data that is proportional to the load on the system. In contrast, metrics combine individual measurements into aggregations, and produce data which is constant as a function of system load. The aggregations lack details required to diagnose low level issues, but complement spans by helping to identify trends and providing application runtime telemetry.
The metrics API defines a variety of instruments. Instruments record measurements, which are aggregated by the metrics SDK and eventually exported out of process. Instruments come in synchronous and asynchronous varieties. Synchronous instruments record measurements as they happen. Asynchronous instruments register a callback, which is invoked once per collection, and which records measurements at that point in time.
The following sections describe the OpenTelemetry Java metrics API. See SdkMeterProvider for an overview of metrics SDK concepts and configuration.
Acquiring a meter
Anywhere in your application where you have manually instrumented code you can
call opentelemetry.meterBuilder(instrumentationScopeName)
to get or create a
new meter instance using the builder pattern, or
opentelemetry.getMeter(instrumentationScopeName)
to get or create a meter
based on just the instrument scope name.
// Get or create a named meter instance with instrumentation version using builder
Meter meter = openTelemetry.meterBuilder("dice-server")
.setInstrumentationVersion("0.1.0")
.build();
// Get or create a named meter instance by name only
Meter meter = openTelemetry.getMeter("dice-server");
Now that you have meters initialized. you can create metric instruments.
Acquiring a meter in Java agent
If you are using the Java agent, you can acquire a Meter
from the global OpenTelemetry
instance:
import io.opentelemetry.api.GlobalOpenTelemetry;
Meter meter = GlobalOpenTelemetry.getMeter("application");
If you are using Spring Boot, you can add the following bean to your
@SpringBootApplication
class - to acquire a Meter
as in the
Spring Boot starter section below:
import io.opentelemetry.api.OpenTelemetry;
import io.opentelemetry.api.GlobalOpenTelemetry;
@Configuration
public class OpenTelemetryConfig {
@Bean
public OpenTelemetry openTelemetry() {
return GlobalOpenTelemetry.get();
}
}
Acquiring a meter in Spring Boot starter
If you are using the Spring Boot starter, you can acquire a Meter
from the
autowired OpenTelemetry instance:
import io.opentelemetry.api.OpenTelemetry;
import io.opentelemetry.api.metrics.Meter;
@Controller
public class MyController {
private final Meter meter;
public MyController(OpenTelemetry openTelemetry) {
this.meter = openTelemetry.getMeter("application");
}
}
Using Counters
Counters can be used to measure non-negative, increasing values.
LongCounter counter = meter.counterBuilder("dice-lib.rolls.counter")
.setDescription("How many times the dice have been rolled.")
.setUnit("rolls")
.build();
counter.add(1, attributes);
Using Observable (Async) Counters
Observable counters can be used to measure an additive, non-negative, monotonically increasing value. These counters specifically focus on the total accumulated amount, which is gathered from external sources. Unlike synchronous counters where each increment is recorded as it happens, observable counters allow you to asynchronously monitor the overall sum of multiple increments.
ObservableLongCounter counter = meter.counterBuilder("dice-lib.uptime")
.buildWithCallback(measurement -> measurement.record(getUpTime()));
Using UpDown Counters
UpDown counters can increment and decrement, allowing you to observe a value that goes up or down.
LongUpDownCounter counter = meter.upDownCounterBuilder("dice-lib.score")
.setDescription("Score from dice rolls.")
.setUnit("points")
.build();
//...
counter.add(10, attributes);
//...
counter.add(-20, attributes);
Using Observable (Async) UpDown Counters
Observable UpDown counters can increment and decrement, allowing you to measure an additive, non-negative, non-monotonically increasing cumulative value. These UpDown counters specifically focus on the total accumulated amount, which is gathered from external sources. Unlike synchronous UpDown counters where each increment is recorded as it happens, observable counters allow you to asynchronously monitor the overall sum of multiple increments.
ObservableDoubleUpDownCounter upDownCounter = meter.upDownCounterBuilder("dice-lib.score")
.buildWithCallback(measurement -> measurement.record(calculateScore()));
Using Histograms
Histograms are used to measure a distribution of values over time.
LongHistogram histogram = meter.histogramBuilder("dice-lib.rolls")
.ofLongs() // Required to get a LongHistogram, default is DoubleHistogram
.setDescription("A distribution of the value of the rolls.")
.setExplicitBucketBoundariesAdvice(Arrays.asList(1L, 2L, 3L, 4L, 5L, 6L, 7L))
.setUnit("points")
.build();
histogram.record(7, attributes);
Using Observable (Async) Gauges
Observable Gauges should be used to measure non-additive values.
ObservableDoubleGauge gauge = meter.gaugeBuilder("jvm.memory.used")
.buildWithCallback(measurement -> measurement.record(getMemoryUsed()));
Adding Attributes
When you generate metrics, adding attributes creates unique metric series based on each distinct set of attributes that receive measurements. This leads to the concept of ‘cardinality’, which is the total number of unique series. Cardinality directly affects the size of the metric payloads that are exported. Therefore, it’s important to carefully select the dimensions included in these attributes to prevent a surge in cardinality, often referred to as ‘cardinality explosion’.
Attributes attrs = Attributes.of(
stringKey("hostname"), "i-98c3d4938",
stringKey("region"), "us-east-1");
histogram.record(7, attrs);
Logs
Logs are distinct from metrics and traces in that there is no user-facing OpenTelemetry logs API. Instead, there is tooling to bridge logs from existing popular log frameworks (e.g. SLF4j, JUL, Logback, Log4j) into the OpenTelemetry ecosystem. For rationale behind this design decision, see Logging specification.
The two typical workflows discussed below each cater to different application requirements.
Direct to collector
In the direct to collector workflow, logs are emitted directly from an application to a collector using a network protocol (e.g. OTLP). This workflow is simple to set up as it doesn’t require any additional log forwarding components, and allows an application to easily emit structured logs that conform to the log data model. However, the overhead required for applications to queue and export logs to a network location may not be suitable for all applications.
To use this workflow:
- Install appropriate Log Appender.
- Configure the OpenTelemetry Log SDK to export log records to desired target destination (the collector or other).
Log appenders
A log appender bridges logs from a log framework into the OpenTelemetry Log SDK using the Logs Bridge API. Log appenders are available for various popular Java log frameworks:
The links above contain full usage and installation documentation, but installation is generally as follows:
- Add required dependency via gradle or maven.
- Extend the application’s log configuration (i.e.
logback.xml
,log4j.xml
, etc) to include a reference to the OpenTelemetry log appender.- Optionally configure the log framework to determine which logs (i.e. filter by severity or logger name) are passed to the appender.
- Optionally configure the appender to indicate how logs are mapped to OpenTelemetry Log Records (i.e. capture thread information, context data, markers, etc).
Log appenders automatically include the trace context in log records, enabling log correlation with traces.
The Log Appender example demonstrates setup for a variety of scenarios.
See SdkLoggerProvider for an overview of log SDK concepts and configuration.
Via file or stdout
In the file or stdout workflow, logs are written to files or standout output. Another component (e.g. FluentBit) is responsible for reading / tailing the logs, parsing them to more structured format, and forwarding them a target, such as the collector. This workflow may be preferable in situations where application requirements do not permit additional overhead from direct to collector. However, it requires that all log fields required down stream are encoded into the logs, and that the component reading the logs parse the data into the log data model. The installation and configuration of log forwarding components is outside the scope of this document.
Log correlation with traces is available by installing log context instrumentation.
Log context instrumentation
OpenTelemetry provides components which enrich log context with trace context for various popular Java log frameworks:
This links above contain full usage and installation documentation, but installation is generally as follows:
- Add required dependency via gradle or maven.
- Extend the application’s log configuration (i.e.
logback.xml
orlog4j.xml
, etc) to reference the trace context fields in the log pattern.
Comentarios
¿Fue útil esta página?
Thank you. Your feedback is appreciated!
Please let us know how we can improve this page. Your feedback is appreciated!