Quarkus - Using OpenAPI and Swagger UI

This guide explains how your Quarkus application can expose its API description through an OpenAPI specification and how you can test it via a user-friendly UI named Swagger UI.

Prerequisites

To complete this guide, you need:

  • less than 15 minutes

  • an IDE

  • JDK 1.8+ installed with JAVA_HOME configured appropriately

  • Apache Maven 3.6.2+

Architecture

In this guide, we create a straightforward REST application to demonstrate how fast you can expose your API specification and benefit from a user interface to test it.

Solution

We recommend that you follow the instructions in the next sections and create the application step by step. However, you can skip right to the completed example.

Clone the Git repository: git clone [https://github.com/quarkusio/quarkus-quickstarts.git](https://github.com/quarkusio/quarkus-quickstarts.git), or download an archive.

The solution is located in the openapi-swaggerui-quickstart directory.

Creating the Maven project

First, we need a new project. Create a new project with the following command:

  1. mvn io.quarkus:quarkus-maven-plugin:1.7.6.Final:create \
  2. -DprojectGroupId=org.acme \
  3. -DprojectArtifactId=openapi-swaggerui-quickstart \
  4. -DclassName="org.acme.openapi.swaggerui.FruitResource" \
  5. -Dpath="/fruits" \
  6. -Dextensions="resteasy-jsonb"
  7. cd openapi-swaggerui-quickstart

This command generates the Maven project with a /fruits REST endpoint.

Expose a REST Resource

We will create a Fruit bean and a FruitResouce REST resource (feel free to take a look to the Writing JSON REST services guide if your want more details on how to build a REST API with Quarkus).

  1. package org.acme.openapi.swaggerui;
  2. public class Fruit {
  3. public String name;
  4. public String description;
  5. public Fruit() {
  6. }
  7. public Fruit(String name, String description) {
  8. this.name = name;
  9. this.description = description;
  10. }
  11. }
  1. package org.acme.openapi.swaggerui;
  2. import javax.ws.rs.GET;
  3. import javax.ws.rs.POST;
  4. import javax.ws.rs.DELETE;
  5. import javax.ws.rs.Path;
  6. import javax.ws.rs.Produces;
  7. import javax.ws.rs.Consumes;
  8. import javax.ws.rs.core.MediaType;
  9. import java.util.Collections;
  10. import java.util.LinkedHashMap;
  11. import java.util.Set;
  12. @Path("/fruits")
  13. @Produces(MediaType.APPLICATION_JSON)
  14. @Consumes(MediaType.APPLICATION_JSON)
  15. public class FruitResource {
  16. private Set<Fruit> fruits = Collections.newSetFromMap(Collections.synchronizedMap(new LinkedHashMap<>()));
  17. public FruitResource() {
  18. fruits.add(new Fruit("Apple", "Winter fruit"));
  19. fruits.add(new Fruit("Pineapple", "Tropical fruit"));
  20. }
  21. @GET
  22. public Set<Fruit> list() {
  23. return fruits;
  24. }
  25. @POST
  26. public Set<Fruit> add(Fruit fruit) {
  27. fruits.add(fruit);
  28. return fruits;
  29. }
  30. @DELETE
  31. public Set<Fruit> delete(Fruit fruit) {
  32. fruits.removeIf(existingFruit -> existingFruit.name.contentEquals(fruit.name));
  33. return fruits;
  34. }
  35. }

As we changed the API, we also need to update the test:

  1. package org.acme.openapi.swaggerui;
  2. import io.quarkus.test.junit.QuarkusTest;
  3. import org.junit.jupiter.api.Test;
  4. import javax.ws.rs.core.MediaType;
  5. import static io.restassured.RestAssured.given;
  6. import static org.hamcrest.CoreMatchers.is;
  7. import static org.hamcrest.Matchers.containsInAnyOrder;
  8. @QuarkusTest
  9. public class FruitResourceTest {
  10. @Test
  11. public void testList() {
  12. given()
  13. .when().get("/fruits")
  14. .then()
  15. .statusCode(200)
  16. .body("$.size()", is(2),
  17. "name", containsInAnyOrder("Apple", "Pineapple"),
  18. "description", containsInAnyOrder("Winter fruit", "Tropical fruit"));
  19. }
  20. @Test
  21. public void testAdd() {
  22. given()
  23. .body("{\"name\": \"Pear\", \"description\": \"Winter fruit\"}")
  24. .header("Content-Type", MediaType.APPLICATION_JSON)
  25. .when()
  26. .post("/fruits")
  27. .then()
  28. .statusCode(200)
  29. .body("$.size()", is(3),
  30. "name", containsInAnyOrder("Apple", "Pineapple", "Pear"),
  31. "description", containsInAnyOrder("Winter fruit", "Tropical fruit", "Winter fruit"));
  32. given()
  33. .body("{\"name\": \"Pear\", \"description\": \"Winter fruit\"}")
  34. .header("Content-Type", MediaType.APPLICATION_JSON)
  35. .when()
  36. .delete("/fruits")
  37. .then()
  38. .statusCode(200)
  39. .body("$.size()", is(2),
  40. "name", containsInAnyOrder("Apple", "Pineapple"),
  41. "description", containsInAnyOrder("Winter fruit", "Tropical fruit"));
  42. }
  43. }

Expose OpenAPI Specifications

Quarkus proposes a smallrye-openapi extension compliant with the Eclipse MicroProfile OpenAPI specification in order to generate your API OpenAPI v3 specification.

You just need to add the openapi extension to your Quarkus application:

  1. ./mvnw quarkus:add-extension -Dextensions="quarkus-smallrye-openapi"

This will add the following to your pom.xml:

  1. <dependency>
  2. <groupId>io.quarkus</groupId>
  3. <artifactId>quarkus-smallrye-openapi</artifactId>
  4. </dependency>

Now, we are ready to run our application:

  1. ./mvnw compile quarkus:dev

Once your application is started, you can make a request to the default /openapi endpoint:

  1. $ curl http://localhost:8080/openapi
  2. openapi: 3.0.3
  3. info:
  4. title: Generated API
  5. version: "1.0"
  6. paths:
  7. /fruits:
  8. get:
  9. responses:
  10. 200:
  11. description: OK
  12. content:
  13. application/json: {}
  14. post:
  15. requestBody:
  16. content:
  17. application/json:
  18. schema:
  19. $ref: '#/components/schemas/Fruit'
  20. responses:
  21. 200:
  22. description: OK
  23. content:
  24. application/json: {}
  25. delete:
  26. requestBody:
  27. content:
  28. application/json:
  29. schema:
  30. $ref: '#/components/schemas/Fruit'
  31. responses:
  32. 200:
  33. description: OK
  34. content:
  35. application/json: {}
  36. components:
  37. schemas:
  38. Fruit:
  39. properties:
  40. description:
  41. type: string
  42. name:
  43. type: string

If you do not like the default endpoint location /openapi, you can change it by adding the following configuration to your application.properties:

  1. quarkus.smallrye-openapi.path=/swagger

Hit CTRL+C to stop the application.

Providing Application Level OpenAPI Annotations

There are some MicroProfile OpenAPI annotations which describe global API information, such as the following:

  • API Title

  • API Description

  • Version

  • Contact Information

  • License

All of this information (and more) can be included in your Java code by using appropriate OpenAPI annotations on a JAX-RS Application class. Because a JAX-RS Application class is not required in Quarkus, you will likely have to create one. It can simply be an empty class that extends javax.ws.rs.core.Application. This empty class can then be annotated with various OpenAPI annotations such as @OpenAPIDefinition. For example:

  1. @OpenAPIDefinition(
  2. tags = {
  3. @Tag(name="widget", description="Widget operations."),
  4. @Tag(name="gasket", description="Operations related to gaskets")
  5. },
  6. info = @Info(
  7. title="Example API",
  8. version = "1.0.1",
  9. contact = @Contact(
  10. name = "Example API Support",
  11. url = "http://exampleurl.com/contact",
  12. email = "techsupport@example.com"),
  13. license = @License(
  14. name = "Apache 2.0",
  15. url = "http://www.apache.org/licenses/LICENSE-2.0.html"))
  16. )
  17. public class ExampleApiApplication extends Application {
  18. }

Another option, that is a feature provided by SmallRye and not part of the specification, is to use configuration to add this global API information. This way, you do not need to have a JAX-RS Application class, and you can name the API differently per environment.

For example, add the following to your application.properties:

  1. mp.openapi.extensions.smallrye.info.title=Example API
  2. %dev.mp.openapi.extensions.smallrye.info.title=Example API (development)
  3. %test.mp.openapi.extensions.smallrye.info.title=Example API (test)
  4. mp.openapi.extensions.smallrye.info.version=1.0.1
  5. mp.openapi.extensions.smallrye.info.description=Just an example service
  6. mp.openapi.extensions.smallrye.info.termsOfService=Your terms here
  7. mp.openapi.extensions.smallrye.info.contact.email=techsupport@example.com
  8. mp.openapi.extensions.smallrye.info.contact.name=Example API Support
  9. mp.openapi.extensions.smallrye.info.contact.url=http://exampleurl.com/contact
  10. mp.openapi.extensions.smallrye.info.license.name=Apache 2.0
  11. mp.openapi.extensions.smallrye.info.license.url=http://www.apache.org/licenses/LICENSE-2.0.html

This will give you similar information as the @OpenAPIDefinition example above.

Loading OpenAPI Schema From Static Files

Instead of dynamically creating OpenAPI schemas from annotation scanning, Quarkus also supports serving static OpenAPI documents. The static file to serve must be a valid document conforming to the OpenAPI specification. An OpenAPI document that conforms to the OpenAPI Specification is itself a valid JSON object, that can be represented in yaml or json formats.

To see this in action, we’ll put OpenAPI documentation under META-INF/openapi.yaml for our /fruits endpoints. Quarkus also supports alternative OpenAPI document paths if you prefer.

  1. openapi: 3.0.1
  2. info:
  3. title: Static OpenAPI document of fruits resource
  4. description: Fruit resources Open API documentation
  5. version: "1.0"
  6. servers:
  7. - url: http://localhost:8080/openapi
  8. description: Optional dev mode server description
  9. paths:
  10. /fruits:
  11. get:
  12. responses:
  13. 200:
  14. description: OK - fruits list
  15. content:
  16. application/json: {}
  17. post:
  18. requestBody:
  19. content:
  20. application/json:
  21. schema:
  22. $ref: '#/components/schemas/Fruit'
  23. responses:
  24. 200:
  25. description: new fruit resource created
  26. content:
  27. application/json: {}
  28. delete:
  29. requestBody:
  30. content:
  31. application/json:
  32. schema:
  33. $ref: '#/components/schemas/Fruit'
  34. responses:
  35. 200:
  36. description: OK - fruit resource deleted
  37. content:
  38. application/json: {}
  39. components:
  40. schemas:
  41. Fruit:
  42. properties:
  43. description:
  44. type: string
  45. name:
  46. type: string

By default, a request to /openapi will serve the combined OpenAPI document from the static file and the model generated from application endpoints code. We can however change this to only serve the static OpenAPI document by adding mp.openapi.scan.disable=true configuration into application.properties.

Now, a request to /openapi endpoint will serve the static OpenAPI document instead of the generated one.

About OpenAPI document paths

Quarkus supports various paths to store your OpenAPI document under. We recommend you place it under META-INF/openapi.yml. Alternative paths are:

  • META-INF/openapi.yaml

  • META-INF/openapi.yml

  • META-INF/openapi.json

  • WEB-INF/classes/META-INF/openapi.yml

  • WEB-INF/classes/META-INF/openapi.yaml

  • WEB-INF/classes/META-INF/openapi.json

Live reload of static OpenAPI document is supported during development. A modification to your OpenAPI document will be picked up on fly by Quarkus.

Changing the OpenAPI version

By default, when the document is generated, the OpenAPI version used will be 3.0.3. If you use a static file as mentioned above, the version in the file will be used. You can also define the version in SmallRye using the following configuration:

  1. mp.openapi.extensions.smallrye.openapi=3.0.2

This might be useful if your API go through a Gateway that needs a certain version.

Auto-generation of Operation Id

The Operation Id can be set using the @Operation annotation, and is in many cases useful when using a tool to generate a client stub from the schema. The Operation Id is typically used for the method name in the client stub. In SmallRye, you can auto-generate this Operation Id by using the following configuration:

  1. mp.openapi.extensions.smallrye.operationIdStrategy=METHOD

Now you do not need to use the @Operation annotation. While generating the document, the method name will be used for the Operation Id.

Table 1. The strategies available for generating the Operation Id
Property valueDescription

METHOD

Use the method name.

CLASS_METHOD

Use the class name (without the package) plus the method.

PACKAGE_CLASS_METHOD

Use the class name plus the method name.

Use Swagger UI for development

When building APIs, developers want to test them quickly. Swagger UI is a great tool permitting to visualize and interact with your APIs. The UI is automatically generated from your OpenAPI specification.

The Quarkus smallrye-openapi extension comes with a swagger-ui extension embedding a properly configured Swagger UI page.

By default, Swagger UI is only available when Quarkus is started in dev or test mode.

If you want to make it available in production too, you can include the following configuration in your application.properties:

  1. quarkus.swagger-ui.always-include=true

This is a build time property, it cannot be changed at runtime after your application is built.

By default, Swagger UI is accessible at /swagger-ui.

You can update this path by setting the quarkus.swagger-ui.path property in your application.properties:

  1. quarkus.swagger-ui.path=/my-custom-path

The value / is not allowed as it blocks the application from serving anything else.

Now, we are ready to run our application:

  1. ./mvnw compile quarkus:dev

You can check the Swagger UI path in your application’s log:

  1. 00:00:00,000 INFO [io.qua.swa.run.SwaggerUiServletExtension] Swagger UI available at /swagger-ui

Once your application is started, you can go to http://localhost:8080/swagger-ui and play with your API.

You can visualize your API’s operations and schemas. Visualize your API

You can also interact with your API in order to quickly test it. Interact with your API

Hit CTRL+C to stop the application.

Configuration Reference

OpenAPI

Swagger UI