Quarkus - Using the MongoDB Client
MongoDB is a well known NoSQL Database that is widely used.
In this guide, we see how you can get your REST services to use the MongoDB database.
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. |
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+
-
MongoDB installed or Docker installed
Architecture
The application built in this guide is quite simple: the user can add elements in a list using a form and the list is updated.
All the information between the browser and the server is formatted as JSON.
The elements are stored in MongoDB.
Solution
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
, or download an archive.
The solution is located in the mongodb-quickstart
directory.
Creating the Maven project
First, we need a new project. Create a new project with the following command:
mvn io.quarkus:quarkus-maven-plugin:1.3.1.Final:create \
-DprojectGroupId=org.acme \
-DprojectArtifactId=mongodb-quickstart \
-DclassName="org.acme.mongodb.FruitResource" \
-Dpath="/fruits" \
-Dextensions="resteasy-jsonb,mongodb-client,resteasy-mutiny,context-propagation"
cd mongodb-quickstart
This command generates a Maven structure importing the RESTEasy/JAX-RS, JSON-B, Mutiny, Context Propagation and MongoDB Client extensions.
After this, the quarkus-mongodb-client extension has been added to your pom.xml
.
Creating your first JSON REST service
In this example, we will create an application to manage a list of fruits.
First, let’s create the Fruit
bean as follows:
package org.acme.mongodb;
import java.util.Objects;
public class Fruit {
private String name;
private String description;
public Fruit() {
}
public Fruit(String name, String description) {
this.name = name;
this.description = description;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
@Override
public boolean equals(Object obj) {
if (!(obj instanceof Fruit)) {
return false;
}
Fruit other = (Fruit) obj;
return Objects.equals(other.name, this.name);
}
@Override
public int hashCode() {
return Objects.hash(this.name);
}
}
Nothing fancy. One important thing to note is that having a default constructor is required by the JSON serialization layer.
Now create a org.acme.mongodb.FruitService
that will be the business layer of our application and store/load the fruits from the mongoDB database.
package org.acme.mongodb;
import com.mongodb.client.MongoClient;
import com.mongodb.client.MongoCollection;
import com.mongodb.client.MongoCursor;
import org.bson.Document;
import javax.enterprise.context.ApplicationScoped;
import javax.inject.Inject;
import java.util.ArrayList;
import java.util.List;
@ApplicationScoped
public class FruitService {
@Inject MongoClient mongoClient;
public List<Fruit> list(){
List<Fruit> list = new ArrayList<>();
MongoCursor<Document> cursor = getCollection().find().iterator();
try {
while (cursor.hasNext()) {
Document document = cursor.next();
Fruit fruit = new Fruit();
fruit.setName(document.getString("name"));
fruit.setDescription(document.getString("description"));
list.add(fruit);
}
} finally {
cursor.close();
}
return list;
}
public void add(Fruit fruit){
Document document = new Document()
.append("name", fruit.getName())
.append("description", fruit.getDescription());
getCollection().insertOne(document);
}
private MongoCollection getCollection(){
return mongoClient.getDatabase("fruit").getCollection("fruit");
}
}
Now, edit the org.acme.mongodb.FruitResource
class as follows:
@Path("/fruits")
@Produces(MediaType.APPLICATION_JSON)
@Consumes(MediaType.APPLICATION_JSON)
public class FruitResource {
@Inject FruitService fruitService;
@GET
public List<Fruit> list() {
return fruitService.list();
}
@POST
public List<Fruit> add(Fruit fruit) {
fruitService.add(fruit);
return list();
}
}
The implementation is pretty straightforward and you just need to define your endpoints using the JAX-RS annotations and use the FruitService
to list/add new fruits.
Configuring the MongoDB database
The main property to configure is the URL to access to MongoDB, almost all configuration can be included in the connection URI so we advise you to do so, you can find more information in the MongoDB documentation: https://docs.mongodb.com/manual/reference/connection-string/
A sample configuration should look like this:
# configure the mongoDB client for a replica set of two nodes
quarkus.mongodb.connection-string = mongodb://mongo1:27017,mongo2:27017
In this example, we are using a single instance running on localhost:
# configure the mongoDB client for a single instance on localhost
quarkus.mongodb.connection-string = mongodb://localhost:27017
If you need more configuration properties, there is a full list at the end of this guide.
Multiple MongoDB Clients
MongoDB allows you to configure multiple clients. Using several clients works the same way as having a single client.
quarkus.mongodb.connection-string = mongodb://login:pass@mongo1:27017/database
quarkus.mongodb.users.connection-string = mongodb://mongo2:27017/userdb
quarkus.mongodb.inventory.connection-string = mongodb://mongo3:27017/invdb,mongo4:27017/invdb
Notice there’s an extra bit in the key (the users
and inventory
segments).
The syntax is as follows: quarkus.mongodb.[optional name.][mongo connection property]
.
If the name is omitted, it configures the default client.
Named Mongo client Injection
When using multiple clients, each MongoClient
, you can select the client to inject using the io.quarkus.mongodb.runtime.MongoClientName
qualifier.
Using the above properties to configure three different clients, you can also inject each one as follows:
@Inject
MongoClient defaultMongoClient;
@Inject
@MongoClientName("users")
MongoClient mongoClient1;
@Inject
@MongoClientName("inventory")
ReactiveMongoClient mongoClient2;
Running a MongoDB Database
As by default, MongoClient
is configured to access a local MongoDB database on port 27017 (the default MongoDB port), if you have a local running database on this port, there is nothing more to do before being able to test it!
If you want to use Docker to run a MongoDB database, you can use the following command to launch one:
docker run -ti --rm -p 27017:27017 mongo:4.0
Creating a frontend
Now let’s add a simple web page to interact with our FruitResource
.
Quarkus automatically serves static resources located under the META-INF/resources
directory.
In the src/main/resources/META-INF/resources
directory, add a fruits.html
file with the content from this fruits.html file in it.
You can now interact with your REST service:
-
start Quarkus with
./mvnw compile quarkus:dev
-
open a browser to
http://localhost:8080/fruits.html
-
add new fruits to the list via the form
Reactive MongoDB Client
A reactive MongoDB Client is included in Quarkus. Using it is as easy as using the classic MongoDB Client. You can rewrite the previous example to use it like the following.
Deprecation
The |
Mutiny
The MongoDB reactive client uses Mutiny reactive types, if you’re not familiar with them, read the Getting Started with Reactive guide first. |
package org.acme.mongodb;
import io.quarkus.mongodb.reactive.ReactiveMongoClient;
import io.quarkus.mongodb.reactive.ReactiveMongoCollection;
import io.smallrye.mutiny.Uni;
import org.bson.Document;
import javax.enterprise.context.ApplicationScoped;
import javax.inject.Inject;
import java.util.List;
@ApplicationScoped
public class ReactiveFruitService {
@Inject
ReactiveMongoClient mongoClient;
public Uni<List<Fruit>> list() {
return getCollection().find()
.map(doc -> {
Fruit fruit = new Fruit();
fruit.setName(doc.getString("name"));
fruit.setDescription(doc.getString("description"));
return fruit;
}).collectItems().asList();
}
public Uni<Void> add(Fruit fruit) {
Document document = new Document()
.append("name", fruit.getName())
.append("description", fruit.getDescription());
return getCollection().insertOne(document);
}
private ReactiveMongoCollection<Document> getCollection() {
return mongoClient.getDatabase("fruit").getCollection("fruit");
}
}
package org.acme.mongodb;
import io.smallrye.mutiny.Uni;
import java.util.List;
import javax.inject.Inject;
import javax.ws.rs.Path;
import javax.ws.rs.Produces;
import javax.ws.rs.Consumes;
import javax.ws.rs.GET;
import javax.ws.rs.POST;
import javax.ws.rs.core.MediaType;
@Path("/reactive_fruits")
@Produces(MediaType.APPLICATION_JSON)
@Consumes(MediaType.APPLICATION_JSON)
public class ReactiveFruitResource {
@Inject
ReactiveFruitService fruitService;
@GET
public Uni<List<Fruit>> list() {
return fruitService.list();
}
@POST
public Uni<List<Fruit>> add(Fruit fruit) {
return fruitService.add(fruit)
.onItem().ignore().andSwitchTo(this::list);
}
}
Simplifying MongoDB Client usage using BSON codec
By using a Bson Codec
, the MongoDB Client will take care of the transformation of your domain object to/from a MongoDB Document
automatically.
First you need to create a Bson Codec
that will tell Bson how to transform your entity to/from a MongoDB Document
.
Here we use a CollectibleCodec
as our object is retrievable from the database (it has a MongoDB identifier), if not we would have used a Codec
instead.
More information in the codec documentation: https://mongodb.github.io/mongo-java-driver/3.10/bson/codecs.
package org.acme.mongodb.codec;
import com.mongodb.MongoClientSettings;
import org.acme.mongodb.Fruit;
import org.bson.Document;
import org.bson.BsonWriter;
import org.bson.BsonValue;
import org.bson.BsonReader;
import org.bson.BsonString;
import org.bson.codecs.Codec;
import org.bson.codecs.CollectibleCodec;
import org.bson.codecs.DecoderContext;
import org.bson.codecs.EncoderContext;
import java.util.UUID;
public class FruitCodec implements CollectibleCodec<Fruit> {
private final Codec<Document> documentCodec;
public FruitCodec() {
this.documentCodec = MongoClientSettings.getDefaultCodecRegistry().get(Document.class);
}
@Override
public void encode(BsonWriter writer, Fruit fruit, EncoderContext encoderContext) {
Document doc = new Document();
doc.put("name", fruit.getName());
doc.put("description", fruit.getDescription());
documentCodec.encode(writer, doc, encoderContext);
}
@Override
public Class<Fruit> getEncoderClass() {
return Fruit.class;
}
@Override
public Fruit generateIdIfAbsentFromDocument(Fruit document) {
if (!documentHasId(document)) {
document.setId(UUID.randomUUID().toString());
}
return document;
}
@Override
public boolean documentHasId(Fruit document) {
return document.getId() != null;
}
@Override
public BsonValue getDocumentId(Fruit document) {
return new BsonString(document.getId());
}
@Override
public Fruit decode(BsonReader reader, DecoderContext decoderContext) {
Document document = documentCodec.decode(reader, decoderContext);
Fruit fruit = new Fruit();
if (document.getString("id") != null) {
fruit.setId(document.getString("id"));
}
fruit.setName(document.getString("name"));
fruit.setDescription(document.getString("description"));
return fruit;
}
}
Then you need to create a CodecProvider
to link this Codec
to the Fruit
class.
package org.acme.mongodb.codec;
import org.acme.mongodb.Fruit;
import org.bson.codecs.Codec;
import org.bson.codecs.configuration.CodecProvider;
import org.bson.codecs.configuration.CodecRegistry;
public class FruitCodecProvider implements CodecProvider {
@Override
public <T> Codec<T> get(Class<T> clazz, CodecRegistry registry) {
if (clazz == Fruit.class) {
return (Codec<T>) new FruitCodec();
}
return null;
}
}
Quarkus takes care of registering the CodecProvider
for you.
Finally, when getting the MongoCollection
from the database you can use directly the Fruit
class instead of the Document
one, the codec will automatically map the Document
to/from your Fruit
class.
Here is an example of using a MongoCollection
with the FruitCodec
.
package org.acme.mongodb;
import com.mongodb.client.MongoClient;
import com.mongodb.client.MongoCollection;
import com.mongodb.client.MongoCursor;
import javax.enterprise.context.ApplicationScoped;
import javax.inject.Inject;
import java.util.ArrayList;
import java.util.List;
@ApplicationScoped
public class CodecFruitService {
@Inject MongoClient mongoClient;
public List<Fruit> list(){
List<Fruit> list = new ArrayList<>();
MongoCursor<Fruit> cursor = getCollection().find().iterator();
try {
while (cursor.hasNext()) {
list.add(cursor.next());
}
} finally {
cursor.close();
}
return list;
}
public void add(Fruit fruit){
getCollection().insertOne(fruit);
}
private MongoCollection<Fruit> getCollection(){
return mongoClient.getDatabase("fruit").getCollection("fruit", Fruit.class);
}
}
The POJO Codec
The POJO Codec provides a set of annotations that enable the customization of the way a POJO is mapped to a MongoDB collection and this codec is initialized automatically by Quarkus
One of these annotations is the @BsonDiscriminator
annotation that allows to storage multiple Java types in a single MongoDB collection by adding
a discriminator field inside the document. It can be useful when working with abstract types or interfaces.
Quarkus will automatically register all the classes annotated with @BsonDiscriminator
with the POJO codec.
Simplifying MongoDB with Panache
The MongoDB with Panache extension facilitates the usage of MongoDB by providing active record style entities (and repositories) like you have in Hibernate ORM with Panache and focuses on making your entities trivial and fun to write in Quarkus.
Connection Health Check
If you are using the quarkus-smallrye-health
extension, quarkus-mongodb
will automatically add a readiness health check
to validate the connection to the cluster.
So when you access the /health/ready
endpoint of your application you will have information about the connection validation status.
This behavior can be disabled by setting the quarkus.mongodb.health.enabled
property to false
in your application.properties
.
Metrics
If you are using the quarkus-smallrye-metrics
extension, quarkus-mongodb
can provide metrics about the connection pools.
This behavior must first be enabled by setting the quarkus.mongodb.metrics.enabled
property to true
in your application.properties
.
So when you access the /metrics
endpoint of your application you will have information about the connection pool status in the vendor
scope.
The legacy client
We don’t include the legacy MongoDB client by default. It contains the now retired MongoDB Java API (DB, DBCollection,… )
and the com.mongodb.MongoClient
that is now superseded by com.mongodb.client.MongoClient
.
If you want to use the legacy API, you need to add the following dependency to your pom.xml
:
<dependency>
<groupId>org.mongodb</groupId>
<artifactId>mongodb-driver-legacy</artifactId>
</dependency>
Building a native executable
You can use the MongoDB client in a native executable.
If you want to use SSL/TLS encryption, you need to add these properties in your application.properties
:
quarkus.mongodb.tls=true
quarkus.mongodb.tls-insecure=true # only if TLS certificate cannot be validated
You can then build a native executable with the usual command ./mvnw package -Pnative
.
Running it is as simple as executing ./target/mongodb-quickstart-1.0-SNAPSHOT-runner
.
You can then point your browser to http://localhost:8080/fruits.html
and use your application.
Currently, Quarkus doesn’t support the Client-Side Field Level Encryption is also not supported in native mode. |
Conclusion
Accessing a MongoDB database from a MongoDB Client is easy with Quarkus as it provides configuration and native support for it.
Configuration Reference
Configuration property fixed at build time - All other configuration properties are overridable at runtime
Type |
Default |
|
---|---|---|
Whether or not an health check is published in case the smallrye-health extension is present. |
boolean |
|
Whether or not metrics are published in case the smallrye-metrics extension is present. |
boolean |
|
Configures the connection string. The format is: |
string |
|
Configures the MongoDB server addressed (one if single mode). The addresses are passed as |
list of string |
|
Configure the database name. |
string |
|
Configures the application name. |
string |
|
Configures the maximum number of connections in the connection pool. |
int |
|
Configures the minimum number of connections in the connection pool. |
int |
|
Maximum idle time of a pooled connection. A connection that exceeds this limit will be closed. |
||
Maximum life time of a pooled connection. A connection that exceeds this limit will be closed. |
||
The maximum wait time that a thread may wait for a connection to become available. |
||
Configures the time period between runs of the maintenance job. |
||
Configures period of time to wait before running the first maintenance job on the connection pool. |
||
This multiplier, multiplied with the |
int |
|
How long a connection can take to be opened before timing out. |
||
How long a socket read can take before timing out. |
||
If connecting with TLS, this option enables insecure TLS connections. |
boolean |
|
Whether to connect using TLS. |
boolean |
|
Implies that the hosts given are a seed list, and the driver will attempt to find all members of the set. |
string |
|
How long the driver will wait for server selection to succeed before throwing an exception. |
||
When choosing among multiple MongoDB servers to send a request, the driver will only send that request to a server whose ping time is less than or equal to the server with the fastest ping time plus the local threshold. |
||
The frequency that the driver will attempt to determine the current state of each server in the cluster. |
||
Configures the read preferences. Supported values are: |
string |
|
Configures the maximum number of concurrent operations allowed to wait for a server to become available. All further operations will get an exception immediately. |
int |
|
Configures the connection string. The format is: |
string |
|
Configures the MongoDB server addressed (one if single mode). The addresses are passed as |
list of string |
|
Configure the database name. |
string |
|
Configures the application name. |
string |
|
Configures the maximum number of connections in the connection pool. |
int |
|
Configures the minimum number of connections in the connection pool. |
int |
|
Maximum idle time of a pooled connection. A connection that exceeds this limit will be closed. |
||
Maximum life time of a pooled connection. A connection that exceeds this limit will be closed. |
||
The maximum wait time that a thread may wait for a connection to become available. |
||
Configures the time period between runs of the maintenance job. |
||
Configures period of time to wait before running the first maintenance job on the connection pool. |
||
This multiplier, multiplied with the |
int |
|
How long a connection can take to be opened before timing out. |
||
How long a socket read can take before timing out. |
||
If connecting with TLS, this option enables insecure TLS connections. |
boolean |
|
Whether to connect using TLS. |
boolean |
|
Implies that the hosts given are a seed list, and the driver will attempt to find all members of the set. |
string |
|
How long the driver will wait for server selection to succeed before throwing an exception. |
||
When choosing among multiple MongoDB servers to send a request, the driver will only send that request to a server whose ping time is less than or equal to the server with the fastest ping time plus the local threshold. |
||
The frequency that the driver will attempt to determine the current state of each server in the cluster. |
||
Configures the read preferences. Supported values are: |
string |
|
Configures the maximum number of concurrent operations allowed to wait for a server to become available. All further operations will get an exception immediately. |
int |
|
Type |
Default |
|
Configures the safety. If set to |
boolean |
|
Configures the journal writing aspect. If set to |
boolean |
|
When set, the driver adds |
string |
|
If set to |
boolean |
|
When set, the driver adds |
||
Configures the safety. If set to |
boolean |
|
Configures the journal writing aspect. If set to |
boolean |
|
When set, the driver adds |
string |
|
If set to |
boolean |
|
When set, the driver adds |
||
Type |
Default |
|
Configures the username. |
string |
|
Configures the password. |
string |
|
Configures the authentication mechanism to use if a credential was supplied. The default is unspecified, in which case the client will pick the most secure mechanism available based on the sever version. For the GSSAPI and MONGODB-X509 mechanisms, no password is accepted, only the username. Supported values: |
string |
|
Configures the source of the authentication credentials. This is typically the database that the credentials have been created. The value defaults to the database specified in the path portion of the connection string or in the 'database' configuration property.. If the database is specified in neither place, the default value is |
string |
|
Allows passing authentication mechanism properties. |
|
required |
Configures the username. |
string |
|
Configures the password. |
string |
|
Configures the authentication mechanism to use if a credential was supplied. The default is unspecified, in which case the client will pick the most secure mechanism available based on the sever version. For the GSSAPI and MONGODB-X509 mechanisms, no password is accepted, only the username. Supported values: |
string |
|
Configures the source of the authentication credentials. This is typically the database that the credentials have been created. The value defaults to the database specified in the path portion of the connection string or in the 'database' configuration property.. If the database is specified in neither place, the default value is |
string |
|
Allows passing authentication mechanism properties. |
|
required |
About the Duration format
The format for durations uses the standard 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, |