Eclipse JNoSQL is a compatible implementation of the Jakarta NoSQL and Jakarta Data specifications, a Java framework that streamlines the integration of Java applications with NoSQL databases.
-
Increase productivity performing common NoSQL operations
-
Rich Object Mapping integrated with Contexts and Dependency Injection (CDI)
-
Java-based Query and Fluent-API
-
Persistence lifecycle events
-
Low-level mapping using Standard NoSQL APIs
-
Specific template API to each NoSQL category
-
Annotation-oriented using JPA-like naming when it makes sense
-
Extensible to explore the particular behavior of a NoSQL database
-
Explore the popularity of Apache TinkerPop in Graph API
-
Jakarta NoSQL and Data implementations
Eclipse JNoSQL provides one API for each NoSQL database type. However, it incorporates the same annotations from the Jakarta Persistence specification and heritage Java Persistence API (JPA) to map Java objects. Therefore, with just these annotations that look like JPA, there is support for more than twenty NoSQL databases.
@Entity
public class Car {
@Id
private Long id;
@Column
private String name;
@Column
private CarType type;
//...
}
Theses annotations from the Mapping API will look familiar to the Jakarta Persistence/JPA developer:
Annotation | Description |
---|---|
|
Specifies that the class is an entity. This annotation is applied to the entity class. |
|
Specifies the primary key of an entity. |
|
Specify the mapped column for a persistent property or field. |
|
Specifies a class whose instances are stored as an intrinsic part of an owning entity and share the entity’s identity. |
|
Specifies the conversion of a Basic field or property. |
|
Designates a class whose mapping information is applied to the entities that inherit from it. A mapped superclass has no separate table defined for it. |
|
Specifies the inheritance strategy to be used for an entity class hierarchy. |
|
Specifies the discriminator column for the mapping strategy. |
|
Specifies the value of the discriminator column for entities of the given type. |
Important
|
Although similar to JPA, Jakarta NoSQL defines persistable fields with either the or annotation.
|
After mapping an entity, you can explore the advantage of using a
interface, which can increase productivity on NoSQL operations.Template
@Inject
Template template;
...
Car ferrari = Car.id(1L)
.name("Ferrari")
.type(CarType.SPORT);
template.insert(ferrari);
Optional<Car> car = template.find(Car.class, 1L);
template.delete(Car.class, 1L);
List<Car> cars = template.select(Car.class).where("name").eq("Ferrari").result();
template.delete(Car.class).execute();
This template has specialization to take advantage of a particular NoSQL database type.
A Repository
interface is also provided for exploring the Domain-Driven Design (DDD) pattern for a higher abstraction.
public interface CarRepository extends PageableRepository<Car, String> {
Optional<Car> findByName(String name);
}
@Inject
CarRepository repository;
...
Car ferrari = Car.id(1L)
.name("Ferrari")
.type(CarType.SPORT);
repository.save(ferrari);
Optional<Car> idResult = repository.findById(1L);
Optional<Car> nameResult = repository.findByName("Ferrari");
Eclipse JNoSQL requires these minimum requirements:
-
Java 17 (or higher)
-
Jakarta JSON Binding 2.0 (JSON-B)
-
Jakarta JSON Processing 2.0 (JSON-P)
Eclipse JNoSQL provides common annotations and interfaces. Thus, the same annotations and interfaces,
and Template
, will work on the four NoSQL database types.Repository
As a reference implementation for Jakarta NoSQL, Eclipse JNosql provides particular behavior to the database type required by the specification, including the Graph database type, it means, Eclipse JNoSQL covers the four NoSQL database types:
-
Key-Value
-
Column Family
-
Document
-
Graph
Jakarta NoSQL provides a Key-Value template to explore the specific behavior of this NoSQL type.
Eclipse JNoSQL offers a mapping implementation for Key-Value NoSQL types:
<dependency>
<groupId>org.eclipse.jnosql.mapping</groupId>
<artifactId>jnosql-mapping-key-value</artifactId>
<version>1.1.2</version>
</dependency>
Furthermore, check for a Key-Value databases. You can find some implementations in the JNoSQL Databases.
@Inject
KeyValueTemplate template;
...
Car ferrari = Car.id(1L).name("ferrari").city("Rome").type(CarType.SPORT);
template.put(ferrari);
Optional<Car> car = template.get(1L, Car.class);
template.delete(1L);
Key-Value is database agnostic. Thus, you can change the database in your application with no or minimal impact on source code.
You can define the database settings using the MicroProfile Config specification, so you can add properties and overwrite it in the environment following the Twelve-Factor App.
jnosql.keyvalue.database=<DATABASE>
jnosql.keyvalue.provider=<CLASS-DRIVER>
jnosql.provider.host=<HOST>
jnosql.provider.user=<USER>
jnosql.provider.password=<PASSWORD>
Tip
|
The property is necessary when you have more than one driver in the classpath. Otherwise, it will take the first one.
|
These configuration settings are the default behavior. Nevertheless, there is an option to programmatically configure these settings. Create a class that implements the
interface and then define it using the Supplier<BucketManager>
and @Alternative
annotations.@Priority
@Alternative
@Priority(Interceptor.Priority.APPLICATION)
@ApplicationScoped
public class ManagerSupplier implements Supplier<BucketManager> {
@Produces
public BucketManager get() {
Settings settings = Settings.builder()
.put("credential", "value")
.build();
KeyValueConfiguration configuration = new NoSQLKeyValueProvider();
BucketManagerFactory factory = configuration.apply(settings);
return factory.apply("database");
}
}
You can work with several Key-Value database instances through the CDI qualifier. To identify each database instance, make a
visible for CDI by adding the BucketManager
and the @Produces
annotations in the method.@Database
@Inject
@Database(value = DatabaseType.KEY_VALUE, provider = "databaseA")
private KeyValueTemplate templateA;
@Inject
@Database(value = DatabaseType.KEY_VALUE, provider = "databaseB")
private KeyValueTemplate templateB;
// producers methods
@Produces
@Database(value = DatabaseType.KEY_VALUE, provider = "databaseA")
public BucketManager getManagerA() {
BucketManager manager = // instance;
return manager;
}
@Produces
@Database(value = DatabaseType.KEY_VALUE, provider = "databaseB")
public BucketManager getManagerB() {
BucketManager manager = // instance;
return manager;
}
The KeyValue Database module provides a simple way to integrate the KeyValueDatabase
annotation with CDI, allowing you to inject collections managed by the key-value database. This annotation works seamlessly with various collections, such as List, Set, Queue, and Map.
To inject collections managed by the key-value database, use the @KeyValueDatabase
annotation in combination with CDI’s @Inject
annotation. Here’s how you can use it:
import javax.inject.Inject;
// Inject a List<String> instance from the "names" bucket in the key-value database.
@Inject
@KeyValueDatabase("names")
private List<String> names;
// Inject a Set<String> instance from the "fruits" bucket in the key-value database.
@Inject
@KeyValueDatabase("fruits")
private Set<String> fruits;
// Inject a Queue<String> instance from the "orders" bucket in the key-value database.
@Inject
@KeyValueDatabase("orders")
private Queue<String> orders;
// Inject a Map<String, String> instance from the "orders" bucket in the key-value database.
@Inject
@KeyValueDatabase("orders")
private Map<String, String> map;
Jakarta NoSQL provides a Column Family template to explore the specific behavior of this NoSQL type.
Eclipse JNoSQL offers a mapping implementation for Column NoSQL types:
<dependency>
<groupId>org.eclipse.jnosql.mapping</groupId>
<artifactId>jnosql-mapping-column</artifactId>
<version>1.1.2</version>
</dependency>
Furthermore, check for a Column Family databases. You can find some implementations in the JNoSQL Databases.
@Inject
ColumnTemplate template;
...
Car ferrari = Car.id(1L)
.name("ferrari").city("Rome")
.type(CarType.SPORT);
template.insert(ferrari);
Optional<Car> car = template.find(Car.class, 1L);
template.delete(Car.class).where("id").eq(1L).execute();
Optional<Car> result = template.singleResult("FROM Car WHERE _id = 1");
Column Family is database agnostic. Thus, you can change the database in your application with no or minimal impact on source code.
You can define the database settings using the MicroProfile Config specification, so you can add properties and overwrite it in the environment following the Twelve-Factor App.
jnosql.column.database=<DATABASE>
jnosql.column.provider=<CLASS-DRIVER>
jnosql.provider.host=<HOST>
jnosql.provider.user=<USER>
jnosql.provider.password=<PASSWORD>
Tip
|
The property is necessary when you have more than one driver in the classpath. Otherwise, it will take the first one.
|
These configuration settings are the default behavior. Nevertheless, there is an option to programmatically configure these settings. Create a class that implements the
interface, then define it using the Supplier<ColumnManager>
and @Alternative
annotations.@Priority
@Alternative
@Priority(Interceptor.Priority.APPLICrATION)
@ApplicationScoped
public class ManagerSupplier implements Supplier<DatabaseManager> {
@Produces
@Database(DatabaseType.COLUMN)
public DatabaseManager get() {
Settings settings = Settings.builder()
.put("credential", "value")
.build();
DatabaseConfiguration configuration = new NoSQLColumnProvider();
DatabaseManagerFactory factory = configuration.apply(settings);
return factory.apply("database");
}
}
You can work with several column database instances through CDI qualifier. To identify each database instance, make a ColumnManager
visible for CDI by putting the
and the @Produces
annotations in the method.@Database
@Inject
@Database(value = DatabaseType.COLUMN, provider = "databaseA")
private ColumnTemplate templateA;
@Inject
@Database(value = DatabaseType.COLUMN, provider = "databaseB")
private ColumnTemplate templateB;
// producers methods
@Produces
@Database(value = DatabaseType.COLUMN, provider = "databaseA")
public ColumnManager getManagerA() {
return manager;
}
@Produces
@Database(value = DatabaseType.COLUMN, provider = "databaseB")
public ColumnManager getManagerB() {
return manager;
}
Jakarta NoSQL provides a Document template to explore the specific behavior of this NoSQL type.
Eclipse JNoSQL offers a mapping implementation for Document NoSQL types:
<dependency>
<groupId>org.eclipse.jnosql.mapping</groupId>
<artifactId>jnosql-mapping-document</artifactId>
<version>1.1.2</version>
</dependency>
Furthermore, check for a Document databases. You can find some implementations in the JNoSQL Databases.
@Inject
DocumentTemplate template;
...
Car ferrari = Car.id(1L)
.name("ferrari")
.city("Rome")
.type(CarType.SPORT);
template.insert(ferrari);
Optional<Car> car = template.find(Car.class, 1L);
template.delete(Car.class).where("id").eq(1L).execute();
Optional<Car> result = template.singleResult("FROM Car WHERE _id = 1");
Document is database agnostic. Thus, you can change the database in your application with no or minimal impact on source code.
You can define the database settings using the MicroProfile Config specification, so you can add properties and overwrite it in the environment following the Twelve-Factor App.
jnosql.document.database=<DATABASE>
jnosql.document.provider=<CLASS-DRIVER>
jnosql.provider.host=<HOST>
jnosql.provider.user=<USER>
jnosql.provider.password=<PASSWORD>
Tip
|
The property is necessary when you have more than one driver in the classpath. Otherwise, it will take the first one.
|
These configuration settings are the default behavior. Nevertheless, there is an option to programmatically configure these settings. Create a class that implements the
, then define it using the Supplier<DocumentManager>
and @Alternative
annotations.@Priority
@Alternative
@Priority(Interceptor.Priority.APPLICATION)
@ApplicationScoped
public class ManagerSupplier implements Supplier<DatabaseManager> {
@Produces
@Database(DatabaseType.DOCUMENT)
public DatabaseManager get() {
Settings settings = Settings.builder()
.put("credential", "value")
.build();
DatabaseConfiguration configuration = new NoSQLDocumentProvider();
DatabaseManagerFactory factory = configuration.apply(settings);
return factory.apply("database");
}
}
You can work with several document database instances through CDI qualifier. To identify each database instance, make a
visible for CDI by putting the DocumentManager
and the @Produces
annotations in the method.@Database
@Inject
@Database(value = DatabaseType.DOCUMENT, provider = "databaseA")
private DocumentTemplate templateA;
@Inject
@Database(value = DatabaseType.DOCUMENT, provider = "databaseB")
private DocumentTemplate templateB;
// producers methods
@Produces
@Database(value = DatabaseType.DOCUMENT, provider = "databaseA")
public DocumentManager getManagerA() {
return manager;
}
@Produces
@Database(value = DatabaseType.DOCUMENT, provider = "databaseB")
public DocumentManager getManagerB() {
return manager;
}
Eclipse JNoSQL as a Jakarta Data implementations supports the following list of predicate keywords on their repositories.
Keyword | Description | Method signature Sample |
---|---|---|
And |
The |
findByNameAndYear |
Or |
The |
findByNameOrYear |
Between |
Find results where the property is between the given values |
findByDateBetween |
LessThan |
Find results where the property is less than the given value |
findByAgeLessThan |
GreaterThan |
Find results where the property is greater than the given value |
findByAgeGreaterThan |
LessThanEqual |
Find results where the property is less than or equal to the given value |
findByAgeLessThanEqual |
GreaterThanEqual |
Find results where the property is greater than or equal to the given value |
findByAgeGreaterThanEqual |
Like |
Finds string values "like" the given expression |
findByTitleLike |
In |
Find results where the property is one of the values that are contained within the given list |
findByIdIn |
True |
Finds results where the property has a boolean value of true. |
findBySalariedTrue |
False |
Finds results where the property has a boolean value of false. |
findByCompletedFalse |
Not |
The logical NOT negates all the previous keywords, but True or False. It needs to include as a prefix "Not" to a keyword. |
findByNameNot, findByAgeNotGreaterThan |
OrderBy |
Specify a static sorting order followed by the property path and direction of ascending. |
findByNameOrderByAge |
OrderBy____Desc |
Specify a static sorting order followed by the property path and direction of descending. |
findByNameOrderByAgeDesc |
OrderBy____Asc |
Specify a static sorting order followed by the property path and direction of ascending. |
findByNameOrderByAgeAsc |
OrderBy____(Asc|Desc)*(Asc|Desc) |
Specify several static sorting orders |
findByNameOrderByAgeAscNameDescYearAsc |
Warning
|
Eclipse JNoSQL does not support OrderBy annotation.
|
Check the reference documentation and JavaDocs to learn more.
This project is governed by the Eclipse Foundation Code of Conduct. By participating, you are expected to uphold this code of conduct. Please report unacceptable behavior to [email protected].
Having trouble with Eclipse JNoSQL? We’d love to help!
Please report any bugs, concerns or questions with Eclipse JNoSQL to https://github.com/eclipse/jnosql.
If your issue refers to the JNoSQL databases project or the JNoSQL extensions project, please, open the issue in this repository following the instructions in the templates.
You don’t need to build from source to use the project, but should you be interested in doing so, you can build it using Maven and Java 11 or higher.
mvn clean install
We are very happy you are interested in helping us and there are plenty ways you can do so.
-
Open an Issue: Recommend improvements, changes and report bugs
-
Open a Pull Request: If you feel like you can even make changes to our source code and suggest them, just check out our contributing guide to learn about the development process, how to suggest bugfixes and improvements.
Here are the badges of this project:
This project’s testing guideline will help you understand Jakarta Data’s testing practices. Please take a look at the file.
This migration guide explains how to upgrade from Eclipse JNoSQL version 1.0.0-b6 to the latest version, considering two significant changes: upgrading to Jakarta EE 9 and reducing the scope of the Jakarta NoSQL specification to only run on the Mapping. The guide provides instructions on updating package names and annotations to migrate your Eclipse JNoSQL project successfully.
If you want to know more about both the communication and mapping layer, there are two complementary files for it each specific topic: