Quarkus - Amazon DynamoDB Client

DynamoDB is a scalable AWS managed NoSQL database. It supports both key-value and document data models, that enables to have a flexible schema for your data. This extension provides functionality that allows the client to communicate with the service when running in Quarkus. You can find more information about DynamoDB at the Amazon DynamoDB website.

The DynamoDB extension is based on AWS Java SDK 2.x. It’s a major rewrite of the 1.x code base that offers two programming models (Blocking & Async). Keep in mind it’s actively developed and does not support yet all the features available in SDK 1.x such as Document APIs or Object Mappers

This technology is considered preview.

In preview, backward compatibility and presence in the ecosystem is not guaranteed. Specific improvements might require to change configuration or APIs and plans to become stable are under way. Feedback is welcome on our mailing list or as issues in our GitHub issue tracker.

For a full list of possible extension statuses, check our FAQ entry.

The Quarkus extension supports two programming models:

  • Blocking access using URL Connection HTTP client (by default) or the Apache HTTP Client

  • Asynchronous programming based on JDK’s CompletableFuture objects and the Netty HTTP client.

In this guide, we see how you can get your REST services to use the DynamoDB locally and on AWS.

Prerequisites

To complete this guide, you need:

  • JDK 1.8+ installed with JAVA_HOME configured appropriately

  • an IDE

  • Apache Maven 3.6.2+

  • An AWS Account to access the DynamoDB service

  • Optionally, Docker for your system to run DynamoDB locally for testing purposes

Setup DynamoDB locally

The easiest way to start working with DynamoDB is to run a local instance as a container.

  1. docker run --publish 8000:8000 amazon/dynamodb-local:1.11.477 -jar DynamoDBLocal.jar -inMemory -sharedDb

This starts a DynamoDB instance that is accessible on port 8000. You can check it’s running by accessing the web shell on [http://localhost:8000/shell](http://localhost:8000/shell).

Have a look at the Setting Up DynamoDB Local guide for other options to run DynamoDB.

Open [http://localhost:8000/shell](http://localhost:8000/shell) in your browser.

Copy and paste the following code to the shell and run it:

  1. var params = {
  2. TableName: 'QuarkusFruits',
  3. KeySchema: [{ AttributeName: 'fruitName', KeyType: 'HASH' }],
  4. AttributeDefinitions: [{ AttributeName: 'fruitName', AttributeType: 'S', }],
  5. ProvisionedThroughput: { ReadCapacityUnits: 1, WriteCapacityUnits: 1, }
  6. };
  7. dynamodb.createTable(params, function(err, data) {
  8. if (err) ppJson(err);
  9. else ppJson(data);
  10. });

Set up Dynamodb on AWS

Before you can use the AWS SDKs with DynamoDB, you must get an AWS access key ID and secret access key. For more information, see Setting Up DynamoDB (Web Service).

We recommend to use the AWS CLI to provision the table:

  1. aws dynamodb create-table --table-name QuarkusFruits \
  2. --attribute-definitions AttributeName=fruitName,AttributeType=S \
  3. --key-schema AttributeName=fruitName,KeyType=HASH \
  4. --provisioned-throughput ReadCapacityUnits=1,WriteCapacityUnits=1

Solution

The application built here allows to manage elements (fruits) stored in Amazon DynamoDB.

We recommend that you follow the instructions in the next sections and create the application step by step. However, you can go 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 amazon-dynamodb-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=amazon-dynamodb-quickstart \
  4. -DclassName="org.acme.dynamodb.FruitResource" \
  5. -Dpath="/fruits" \
  6. -Dextensions="resteasy-jsonb,amazon-dynamodb,resteasy-mutiny"
  7. cd amazon-dynamodb-quickstart

This command generates a Maven structure importing the RESTEasy/JAX-RS, Mutiny and DynamoDB Client extensions. After this, the amazon-dynamodb extension has been added to your pom.xml as well as the Mutiny support for RESTEasy.

Creating JSON REST service

In this example, we will create an application to manage a list of fruits. The example application will demonstrate the two programming models supported by the extension.

First, let’s create the Fruit bean as follows:

  1. package org.acme.dynamodb;
  2. import java.util.Map;
  3. import java.util.Objects;
  4. import io.quarkus.runtime.annotations.RegisterForReflection;
  5. import software.amazon.awssdk.services.dynamodb.model.AttributeValue;
  6. @RegisterForReflection
  7. public class Fruit {
  8. private String name;
  9. private String description;
  10. public Fruit() {
  11. }
  12. public static Fruit from(Map<String, AttributeValue> item) {
  13. Fruit fruit = new Fruit();
  14. if (item != null && !item.isEmpty()) {
  15. fruit.setName(item.get(AbstractService.FRUIT_NAME_COL).s());
  16. fruit.setDescription(item.get(AbstractService.FRUIT_DESC_COL).s());
  17. }
  18. return fruit;
  19. }
  20. public String getName() {
  21. return name;
  22. }
  23. public void setName(String name) {
  24. this.name = name;
  25. }
  26. public String getDescription() {
  27. return description;
  28. }
  29. public void setDescription(String description) {
  30. this.description = description;
  31. }
  32. @Override
  33. public boolean equals(Object obj) {
  34. if (!(obj instanceof Fruit)) {
  35. return false;
  36. }
  37. Fruit other = (Fruit) obj;
  38. return Objects.equals(other.name, this.name);
  39. }
  40. @Override
  41. public int hashCode() {
  42. return Objects.hash(this.name);
  43. }
  44. }

Nothing fancy. One important thing to note is that having a default constructor is required by the JSON serialization layer. The static from method creates a bean based on the Map object provided by the DynamoDB client response.

Now create a org.acme.dynamodb.AbstractService that will consist of helper methods that prepare DynamoDB request objects for reading and adding items to the table.

  1. package org.acme.dynamodb;
  2. import java.util.HashMap;
  3. import java.util.Map;
  4. import software.amazon.awssdk.services.dynamodb.model.AttributeValue;
  5. import software.amazon.awssdk.services.dynamodb.model.GetItemRequest;
  6. import software.amazon.awssdk.services.dynamodb.model.PutItemRequest;
  7. import software.amazon.awssdk.services.dynamodb.model.ScanRequest;
  8. public abstract class AbstractService {
  9. public final static String FRUIT_NAME_COL = "fruitName";
  10. public final static String FRUIT_DESC_COL = "fruitDescription";
  11. public String getTableName() {
  12. return "QuarkusFruits";
  13. }
  14. protected ScanRequest scanRequest() {
  15. return ScanRequest.builder().tableName(getTableName())
  16. .attributesToGet(FRUIT_NAME_COL, FRUIT_DESC_COL).build();
  17. }
  18. protected PutItemRequest putRequest(Fruit fruit) {
  19. Map<String, AttributeValue> item = new HashMap<>();
  20. item.put(FRUIT_NAME_COL, AttributeValue.builder().s(fruit.getName()).build());
  21. item.put(FRUIT_DESC_COL, AttributeValue.builder().s(fruit.getDescription()).build());
  22. return PutItemRequest.builder()
  23. .tableName(getTableName())
  24. .item(item)
  25. .build();
  26. }
  27. protected GetItemRequest getRequest(String name) {
  28. Map<String, AttributeValue> key = new HashMap<>();
  29. key.put(FRUIT_NAME_COL, AttributeValue.builder().s(name).build());
  30. return GetItemRequest.builder()
  31. .tableName(getTableName())
  32. .key(key)
  33. .attributesToGet(FRUIT_NAME_COL, FRUIT_DESC_COL)
  34. .build();
  35. }
  36. }

Then, create a org.acme.dynamodb.FruitSyncService that will be the business layer of our application and stores/loads the fruits from DynamoDB using the synchronous client.

  1. package org.acme.dynamodb;
  2. import java.util.List;
  3. import java.util.stream.Collectors;
  4. import javax.enterprise.context.ApplicationScoped;
  5. import javax.inject.Inject;
  6. import software.amazon.awssdk.services.dynamodb.DynamoDbClient;
  7. @ApplicationScoped
  8. public class FruitSyncService extends AbstractService {
  9. @Inject
  10. DynamoDbClient dynamoDB;
  11. public List<Fruit> findAll() {
  12. return dynamoDB.scanPaginator(scanRequest()).items().stream()
  13. .map(Fruit::from)
  14. .collect(Collectors.toList());
  15. }
  16. public List<Fruit> add(Fruit fruit) {
  17. dynamoDB.putItem(putRequest(fruit));
  18. return findAll();
  19. }
  20. public Fruit get(String name) {
  21. return Fruit.from(dynamoDB.getItem(getRequest(name)).item());
  22. }
  23. }

Now, edit the org.acme.dynamodb.FruitResource class as follows:

  1. package org.acme.dynamodb;
  2. import java.util.List;
  3. import javax.inject.Inject;
  4. import javax.ws.rs.Consumes;
  5. import javax.ws.rs.GET;
  6. import javax.ws.rs.POST;
  7. import javax.ws.rs.Path;
  8. import javax.ws.rs.PathParam;
  9. import javax.ws.rs.Produces;
  10. import javax.ws.rs.core.MediaType;
  11. @Path("/fruits")
  12. @Produces(MediaType.APPLICATION_JSON)
  13. @Consumes(MediaType.APPLICATION_JSON)
  14. public class FruitResource {
  15. @Inject
  16. FruitSyncService service;
  17. @GET
  18. public List<Fruit> getAll() {
  19. return service.findAll();
  20. }
  21. @GET
  22. @Path("{name}")
  23. public Fruit getSingle(@PathParam("name") String name) {
  24. return service.get(name);
  25. }
  26. @POST
  27. public List<Fruit> add(Fruit fruit) {
  28. service.add(fruit);
  29. return getAll();
  30. }
  31. }

The implementation is pretty straightforward and you just need to define your endpoints using the JAX-RS annotations and use the FruitSyncService to list/add new fruits.

Configuring DynamoDB clients

Both DynamoDB clients (sync and async) are configurable via the application.properties file that can be provided in the src/main/resources directory. Additionally, you need to add to the classpath a proper implementation of the sync client. By default the extension uses the java.net.URLConnection HTTP client, so you need to add a URL connection client dependency to the pom.xml file:

  1. <dependency>
  2. <groupId>software.amazon.awssdk</groupId>
  3. <artifactId>url-connection-client</artifactId>
  4. </dependency>

If you want to use the Apache HTTP client instead, configure it as follows:

  1. quarkus.dynamodb.sync-client.type=apache

And add following dependency to the application pom.xml:

  1. <dependency>
  2. <groupId>software.amazon.awssdk</groupId>
  3. <artifactId>apache-client</artifactId>
  4. </dependency>

If you’re going to use a local DynamoDB instance, configure it as follows:

  1. quarkus.dynamodb.endpoint-override=http://localhost:8000
  2. quarkus.dynamodb.aws.region=eu-central-1
  3. quarkus.dynamodb.aws.credentials.type=static
  4. quarkus.dynamodb.aws.credentials.static-provider.access-key-id=test-key
  5. quarkus.dynamodb.aws.credentials.static-provider.secret-access-key=test-secret
  • quarkus.dynamodb.aws.region - It’s required by the client, but since you’re using a local DynamoDB instance you can pick any valid AWS region.

  • quarkus.dynamodb.aws.credentials.type - Set static credentials provider with any values for access-key-id and secret-access-key

  • quarkus.dynamodb.endpoint-override - Override the DynamoDB client to use a local instance instead of an AWS service

If you want to work with an AWS account, you’d need to set it with:

  1. quarkus.dynamodb.aws.region=<YOUR_REGION>
  2. quarkus.dynamodb.aws.credentials.type=default
  • quarkus.dynamodb.aws.region you should set it to the region where you provisioned the DynamoDB table,

  • quarkus.dynamodb.aws.credentials.type - use the default credentials provider chain that looks for credentials in this order:

    • Java System Properties - aws.accessKeyId and aws.secretAccessKey

    • Environment Variables - AWS_ACCESS_KEY_ID and AWS_SECRET_ACCESS_KEY

    • Credential profiles file at the default location (~/.aws/credentials) shared by all AWS SDKs and the AWS CLI

    • Credentials delivered through the Amazon ECS if the AWS_CONTAINER_CREDENTIALS_RELATIVE_URI environment variable is set and the security manager has permission to access the variable,

    • Instance profile credentials delivered through the Amazon EC2 metadata service

Next steps

Packaging

Packaging your application is as simple as ./mvnw clean package. It can be run with java -jar target/amazon-dynamodb-quickstart-1.0-SNAPSHOT-runner.jar.

With GraalVM installed, you can also create a native executable binary: ./mvnw clean package -Dnative. Depending on your system, that will take some time.

Going asynchronous

Thanks to the AWS SDK v2.x used by the Quarkus extension, you can use the asynchronous programming model out of the box.

Create a org.acme.dynamodb.FruitAsyncService that will be similar to our FruitSyncService but using an asynchronous programming model.

  1. package org.acme.dynamodb;
  2. import java.util.List;
  3. import java.util.concurrent.CompletableFuture;
  4. import java.util.stream.Collectors;
  5. import javax.enterprise.context.ApplicationScoped;
  6. import javax.inject.Inject;
  7. import io.smallrye.mutiny.Uni;
  8. import software.amazon.awssdk.services.dynamodb.DynamoDbAsyncClient;
  9. @ApplicationScoped
  10. public class FruitAsyncService extends AbstractService {
  11. @Inject
  12. DynamoDbAsyncClient dynamoDB;
  13. public Uni<List<Fruit>> findAll() {
  14. return Uni.createFrom().completionStage(() -> dynamoDB.scan(scanRequest()))
  15. .onItem().transform(res -> res.items().stream().map(Fruit::from).collect(Collectors.toList()));
  16. }
  17. public Uni<List<Fruit>> add(Fruit fruit) {
  18. return Uni.createFrom().completionStage(() -> dynamoDB.putItem(putRequest(fruit)))
  19. .onItem().ignore().andSwitchTo(this::findAll);
  20. }
  21. public Uni<Fruit> get(String name) {
  22. return Uni.createFrom().completionStage(() -> dynamoDB.getItem(getRequest(name)))
  23. .onItem().transform(resp -> Fruit.from(resp.item()));
  24. }
  25. }

In the previous code, we create Uni instances from the CompletionStage objects returned by the asynchronous DynamoDB client, and then transform the emitted item.

Then, create an asynchronous REST resource that consumes this async service:

  1. package org.acme.dynamodb;
  2. import io.smallrye.mutiny.Uni;
  3. import javax.inject.Inject;
  4. import javax.ws.rs.*;
  5. import javax.ws.rs.core.MediaType;
  6. import java.util.List;
  7. @Path("/async-fruits")
  8. @Produces(MediaType.APPLICATION_JSON)
  9. @Consumes(MediaType.APPLICATION_JSON)
  10. public class FruitAsyncResource {
  11. @Inject
  12. FruitAsyncService service;
  13. @GET
  14. public Uni<List<Fruit>> getAll() {
  15. return service.findAll();
  16. }
  17. @GET
  18. @Path("{name}")
  19. public Uni<Fruit> getSingle(@PathParam("name") String name) {
  20. return service.get(name);
  21. }
  22. @POST
  23. public Uni<List<Fruit>> add(Fruit fruit) {
  24. return service.add(fruit)
  25. .onItem().ignore().andSwitchTo(this::getAll);
  26. }
  27. }

And add Netty HTTP client dependency to the pom.xml:

  1. <dependency>
  2. <groupId>software.amazon.awssdk</groupId>
  3. <artifactId>netty-nio-client</artifactId>
  4. </dependency>

Configuration Reference

About the Duration format

The format for durations uses the standard java.time.Duration format. You can learn more about it in the Duration#parse() javadoc.

You can also provide duration values starting with a number. In this case, if the value consists only of a number, the converter treats the value as seconds. Otherwise, PT is implicitly prepended to the value to obtain a standard java.time.Duration format.

About the MemorySize format

A size configuration option recognises string in this format (shown as a regular expression): [0-9]+[KkMmGgTtPpEeZzYy]?. If no suffix is given, assume bytes.