Spring Boot Actuator – Production-ready features

In this post, we’re going to introduce Spring Boot Actuator, by first covering the basics. Afterwards, you will create a Spring project and learn how to use, configure and extend this monitoring tool.

Contribute Code

If you would like to become an active contributor to this project please follow these simple steps:

  1. Fork it
  2. Create your feature branch
  3. Commit your changes
  4. Push to the branch
  5. Create new Pull Request

Source code can be downloaded from GitHub.

What you’ll need

  • About 40 minutes
  • A favorite IDE. In this post, we use:Eclipse IDE for Java DevelopersVersion: Mars.2 Release (4.5.2)
    Build id: 20160218-0600
  • JDK 7 or later. It can be made to work with JDK6, but it will need configuration tweaks. Please check the Spring Boot documentation
  • An empty Spring project. You can follow the steps from here.

Introduction

In this article, we’re going to introduce Spring Boot Actuator, by first covering the basic and afterwards by learning how to use, configure and extend this monitoring tool.

The current article is based on our previous article “REST API with Spring JPA Criteria”. Please refer to it, in order to understand how the application was constructed.

Overview

Spring Boot is a framework aimed to help developers to easily create and build stand-alone, production-grade Spring based Applications that you can “just run”.

In addition, Spring Boot also comes with a series of additional features designed to help you monitor and manage your applications at the moment they are pushed into production. You can decide whether to manage and monitor them via HTTP endpoints or using JMX.

Spring Boot Actuator is a sub-project of Spring Boot. Spring Boot includes several built-in endpoints, and you can also add your own or even configure existing endpoints to be exposed on any custom endpoints of your choice.

For now, we will focus on showing how to use, configure and expose the already available endpoints, and how to configure Spring Boot Actuator in order to suit your requirements better.

Definition of Actuator

An actuator is a manufacturing term that refers to a mechanical device or a component of a machine responsible for moving or controlling a mechanism or system. Actuators can generate a large amount of motion from a small change.

Thanks to the features provided by the actuator, we can easily monitor our app, by gathering metrics, understanding the traffic or the current state of our database.

One of the main advantages of this library is that we can get production ready tools and features without the need of actually developing and implementing them ourselves.

Enabling Production-ready Features

Let’s start by enabling the built-in endpoints. To do so, we need to include the spring-boot-actuator module into our project. The simplest way to enable the features is to add the spring-boot-starter-actuator dependency.

So, let’s begin by adding the actuator to our Maven based project. Open the pom.xml and add the following XML snipped:

<dependencies>
  <dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-actuator</artifactId>
  </dependency>
</dependencies>

Take into consideration that, most endpoints are sensitive – meaning they’re not fully public. Due to this, most information will be omitted. How to handle these sensitive endpoints is explained later in this article.

Endpoints

Throw the endpoints, you can easily monitor and interact with your application. There are several built-in endpoints included within Spring Boot. But you are not limited to them, you can easily develop and implement your own.

Each individual endpoint can be enabled or disabled. Thus, allowing you to control which endpoint is created and consequently exposed. Exposing means making and endpoint remotely accessible via HTTP or JMX.

For our purpose, we will expose endpoints via HTTP, where the ID of the endpoint along with a prefix of /actuator is mapped to a URL.

So far…

Until this moment, we have included the spring-boot-actuator module into our pom.xml file. So let’s execute our project and test the actuator’s endpoint with the help of curl or Postman:

http://localhost:8080/actuator

In the response body you should see something like this:

{
    "_links": {
        "self": {
            "href": "http://localhost:8080/actuator",
            "templated": false
        },
        "health": {
            "href": "http://localhost:8080/actuator/health",
            "templated": false
        },
        "info": {
            "href": "http://localhost:8080/actuator/info",
            "templated": false
        }
    }
}

This shows us an overview of the exposed actuator endpoints. As you can see, only three actuator endpoints are exposed by default.

The url we just tested is known as the “discovery page”, and it includes links to all the available endpoints.

Here is a brief description of the out-of-the-box endpoints:

  • /health: Shows application health information (a simple ‘status’ when accessed over an unauthenticated connection or full message details when authenticated); it’s not sensitive by default.
  • /info: Displays arbitrary application info; not sensitive by default. Please refer to Configuring /info Endpoint section for customizing this endpoint.

Enabling Endpoints

By default, all endpoints except for /shutdown are enabled. To configure the enablement of an endpoint, use its management.endpoint.<id>.enabled property.

If you prefer endpoint enablement to be opt-in rather than opt-out, set the management.endpoints.enabled-by-default property to false and use individual endpoint enabled properties to opt back in. The following example enables the /info endpoint and disables all other endpoints:

management.endpoints.enabled-by-default=false
management.endpoint.info.enabled=true

For a complete list of available endpoints, please refer to Spring Boot’s official documentation.

Configuring /info Endpoint

As we have already said, /info endpoint displays arbitrary application information; not sensitive by default. But this information has to be provided to the endpoint.

This can be done by setting info.* in Spring’s application.properties file or rather than hardcoding those values, you could also expand info properties at build time, or the option I like the most, by automatically expanding the property using Maven.

So, open pom.xml your file and paste the following:

<plugin>
  <groupId>org.springframework.boot</groupId>
  <artifactId>spring-boot-maven-plugin</artifactId>
  <configuration>
    <additionalProperties>
      <encoding.source>UTF-8</encoding.source>
      <encoding.reporting>UTF-8</encoding.reporting>
      <java.source>${maven.compiler.source}</java.source>
      <java.target>${maven.compiler.target}</java.target>
    </additionalProperties>
  </configuration>
  <executions>
    <execution>
      <goals>
        <goal>build-info</goal>
      </goals>
    </execution>
  </executions>
</plugin>

If you call the /info endpoint with the help of curl or Postman:

http://localhost:8080/actuator/info

In the response body you should see something like this:

{
    "build": {
        "name": "rest-api-actuator",
        "time": "2018-06-10T17:16:04.892Z",
        "java": {
            "target": "1.8",
            "source": "1.8"
        },
        "encoding": {
            "source": "UTF-8",
            "reporting": "UTF-8"
        },
        "version": "0.0.1-SNAPSHOT",
        "group": "com.canchitodev.example",
        "artifact": "rest-api-actuator"
    }
}

Secure the Endpoints

For obvious reasons, we do not want this information exposed by actuator’s endpoints to be accessible by everyone. In that case, we can secure the actuator endpoints by adding Spring Boot Security to the pom.xml file:

<dependency>
  <groupId>org.springframework.boot</groupId>
  <artifactId>spring-boot-starter-security</artifactId>
</dependency>

If you execute the application, you will notice in the console the following line:

Using generated security password: 88283e85-3dfb-4baf-bc24-cc8222fd1ac6

From this moment on, you have to use Basic Authentication to gain access to not only the actuator’s endpoints, but to any exposed endpoint. The default user account is user.

You can modify this behavior by adding the following options in application.properties the file:

spring.security.user.name=user # Default user name.
spring.security.user.password= # Password for the default user name.
spring.security.user.roles= # Granted roles for the default user name.

And to complement it, include this @Configuration:

@Configuration
public static class ActuatorWebSecurityConfigurationAdapter extends WebSecurityConfigurerAdapter {
  protected void configure(HttpSecurity http) throws Exception {
    http.requestMatcher(EndpointRequest.toAnyEndpoint()).authorizeRequests()
      .anyRequest().hasRole("ACTUATOR")
      .and()
      .httpBasic();
  }
}

Please note that we have set up the role as “ACTUATOR”. This is the same role specified in the spring.security.user.roles  property.

Remember that all the built-in endpoints except /info are sensitive by default. By using Spring Boot Security, we can secure these endpoints by defining the default security properties – username, password, and role – in the application.properties file.

Further Customization

To further secure you application, you might decide to expose the actuator endpoints over por different than the standard one. The following properties restrict where the endpoints can be accessed from over the network:

management.server.port= # Management endpoint HTTP port (uses the same port as the application by default). Configure a different port to use management-specific SSL.

You can even change the IP from which the actuator’s endpoints can be accessed, simply by modifying the following properties:

management.server.address= # Network address to which the management endpoints should bind. Requires a custom management.server.port.

Exposing Endpoints

Before exposing any endpoint, give it a hard though, as they might contain sensitive information which should not be exposed at all. You can use the technology-specific include and exclude properties to change which endpoints are exposed:

management.endpoints.web.exposure.include= # Endpoint IDs that should be included or '*' for all.
management.endpoints.web.exposure.exclude= # Endpoint IDs that should be excluded.

The endpoints that are exposed are listed in the include. While the endpoints of those which should not be exposed, are listed in the exclude property. The exclude property takes precedence over the include property. Both include and exclude properties can be configured with a list of endpoint IDs.

The /health Endpoint

The /health endpoint is useful to check the current status of your running application. It is commonly used together with any monitoring software to alert when a production system goes down. The information exposed by the /health endpoint depends on the management.endpoint.health.show-details property.

There is a very complete list of health indicators that can be used. Please refer to section Auto-configured HealthIndicators found in Spring Boot’s official documentation.

Summary

The presented implementation of Spring Boot Actuator is simple, but yet very powerful, as it exposes a lot of endpoints that as useful for monitoring system running under a production environment.

We hope that, even though this was a very basic introduction, you understood how to use, configure and extend this monitoring tool.

Please feel free to contact us. We will gladly response to any doubt or question you might have.

The full implementation of this article can be found in the GitHub project – this is a Maven-based project, so it should be easy to import and run as it is.

About canchitodev

Professional with solid experience in software development and management, leadership, team-building, workflow design and technological development. I consider myself a proactive, creative problem-solver, results-driven and with exceptional interpersonal skills person, who likes challenges, working as part of a team, and in high demanding environments. In these last few years, my career has focused on software management, development and design in the Media Broadcasting for television stations, thus allowing the automation of workflows

0 0 votes
Article Rating
Subscribe
Notify of

This site uses Akismet to reduce spam. Learn how your comment data is processed.

1 Comment
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
trackback
3 years ago

[…] If you would like to know a bit more about Spring Boot production ready features, have a look at our post Spring Boot Actuator – Production-ready features. […]