specification-mapper is a generator for Specifications. It reads the fields from an object and dynamically creates query conditions based on the definitions of the fields’ annotations.
In addition, specification-mapper-starter provides integration with Spring Boot, allowing you to use it effortlessly in Spring apps without any configuration. We highly recommend checking it out if you are using a Spring Boot application!
1 - SpecMapper
The entry point for specification operations
SpecMapper is the most important class and serves as the API entry point for all specification operations:
varmapepr=SpecMapper.builder().build();
Next, we define a POJO (Plain Old Java Object) that encapsulates the query conditions, such as:
With this, we can perform the conversion to a Specification. Once we have the Specification, we can query the database using the original approach, for example, through the repository of Spring Data JPA:
The executed SQL in the above example will not have any filtering conditions.
If you are using the Builder Pattern (e.g., Lombok’s @Builder), please pay special attention to the default values set in the builder.
If you want to customize the logic for skipping, you can implement a SkippingStrategy and pass it when constructing a SpecMapper:
varmapper=SpecMapper.builder().defaultResolvers().skippingStrategy(fieldValue->{// Determine whether to skip the field value and return a boolean}).build();
2 - Simple Specs
Basic query conditions
You can use @Spec on fields to define the implementation of the Specification, Equals spec is the default:
@Spec// Equivalent to @Spec(Equals.class)Stringfirstname;
The corresponding entity path will default to the field name, but you can also set @Spec#path to change it:
@Spec(path="...")// Takes precedence if definedStringfirstname;// Defaults to the field name
Built-in @Spec
Here is a list of the built-in types for @Spec:
Spec
Supported field type
Sample
JPQL snippet
Equals
Any
@Spec(Equals.class) String firstname;
... where x.firstname = ?
NotEquals
Any
@Spec(NotEquals.class) String firstname;
... where x.firstname <> ?
Between
Iterable of Comparable (Expected exact 2 elements in Iterable)
@Spec(Between.class) List<Integer> age;
... where x.age between ? and ?
LessThan
Comparable
@Spec(LessThan.class) Integer age;
... where x.age < ?
LessThanEqual
Comparable
@Spec(LessThanEqual.class) Integer age;
... where x.age <= ?
GreaterThan
Comparable
@Spec(GreaterThan.class) Integer age;
... where x.age > ?
GreaterThanEqual
Comparable
@Spec(GreaterThanEqual.class) Integer age;
... where x.age >= ?
After
Comparable
@Spec(After.class) LocalDate startDate;
... where x.startDate > ?
Before
Comparable
@Spec(Before.class) LocalDate startDate;
... where x.startDate < ?
IsNull
Boolean
@Spec(IsNull.class) Boolean age;
... where x.age is null(if true) ... where x.age not null(if false)
NotNull
Boolean
@Spec(NotNull .class) Boolean age;
... where x.age not null(if true) ... where x.age is null(if false)
Like
String
@Spec(Like.class) String firstname;
... where x.firstname like %?%
NotLike
String
@Spec(NotLike.class) String firstname;
... where x.firstname not like %?%
StartingWith
String
@Spec(StartingWith.class) String firstname;
... where x.firstname like ?%
EndingWith
String
@Spec(EndingWith.class) String firstname;
... where x.firstname like %?
In
Iterable of Any
@Spec(In.class) Set<String> firstname;
... where x.firstname in (?, ?, ...)
NotIn
Iterable of Any
@Spec(NotIn.class) Set<String> firstname;
... where x.firstname not in (?, ?, ...)
True
Boolean
@Spec(True.class) Boolean active;
... where x.active = true(if true) ... where x.active = false(if false)
False
Boolean
@Spec(False.class) Boolean active;
... where x.active = false(if true) ... where x.active = true(if false)
HasLength
Boolean
@Spec(HasLength.class) Boolean firstname;
... where x.firstname is not null and character_length(x.firstname)>0(if true) ... where not(x.firstname is not null and character_length(x.firstname)>0)(if false)
HasText
Boolean
@Spec(HasText.class) Boolean firstname;
... where x.firstname is not null and character_length(trim(BOTH from x.firstname))>0(if true) ... where not(where x.firstname is not null and character_length(trim(BOTH from x.firstname))>0)(if false)
In order to facilitate the usage for those who are already familiar with Spring Data JPA, the specs are named as closely as possible with Query Methods
Negates @Spec
You can use @Spec#not to indicate the inverse condition. By default, it is set to false, but if you set it to true, the result will be inverted.
For example, if you want to use Between to find data outside of a certain range, the example would be as follows:
@Spec can be easily extended by implementing SimpleSpecification<T> and providing the required constructor. These classes can then be used in @Spec annotations.
For example, let’s say we have a Customer entity with the following fields:
firstname (String): Name of the person (can be duplicated)
createdTime (LocalDateTime): Creation time (unique)
We want to retrieve the data for each unique name with the latest creation time. To achieve this, we plan to write a subquery. The complete example is as follows:
First, we implement SimpleSpecification<T> and provide the required constructor:
publicclassMaxCustomerCreatedTimeextendsSimpleSpecification<Customer>{// This is the required constructor, the modifier can be public, protected, default, or privateprotectedMaxCustomerCreatedTime(Contextcontext,Stringpath,Objectvalue){super(context,path,value);}@OverridepublicPredicatetoPredicate(Root<Customer>root,CriteriaQuery<?>query,CriteriaBuilderbuilder){// The following provides an example implementation for the subqueryvarsubquery=query.subquery(LocalDateTime.class);varsubroot=subquery.from(Customer.class);subquery.select(builder.greatest(subroot.get("createdTime").as(LocalDateTime.class))).where(builder.equal(root.get((String)value),subroot.get((String)value)));returnbuilder.equal(root.get("createdTime"),subquery);}}
The MaxCustomerCreatedTime class we implemented above can now be used in @Spec. Next, we define the POJO and convert it to a Specification:
... where (x.firstname like ?) and (x.lastname like ?) or x.birthday<=?
Note that the fields are combined in the order they are declared, and SQL has operator precedence. Please ensure that the combination and the result align with your expectations.
For example, if we adjust the field order in the above example:
... where (x.firstname like ? or x.birthday<=?) and (x.lastname like ?)
4 - Nested Specs
Handle query conditions for nested objects
You can use @NestedSpec on a field to instruct SpecMapper to combine specifications with the nested object. There is no level limitation, so you can keep going deeper!
For example, let’s say we have a shared AddressCriteria POJO, and we want to include it in other POJOs. The code would look like this:
... where x.firstname like %?% and ( x.county=? or x.city=? )
Combine Nested Specs
You can also declare @And or @Or on fields within the nested object to control how the result is combined with other fields. For detailed information, please refer to Specify Combining Type on Field.
... where (x.firstname like ?) or x.county=? and x.city=?
5 - Join
Filter related entities
In a POJO, you can use @Join on a field or class to filter related entities.
Single Join
To use @Join, you first need to define the relationship in your entity. For example, a Customer entity has a one-to-many relationship with an Order entity:
@Join can also be used at the class level. In this case, all fields within the same object can use the alias to apply additional conditions to the joined entity. For example:
@Joins can also be used at the class level, allowing all fields within the same object to use the alias for additional conditions on the joined entity, for example:
Annotations are processed in order, so you must define @Joins in the correct sequence.
For example, the following definition is incorrect:
@DataclassCustomerOrderTagCriteria{@Joins({@Join(path="o.tags",alias="t"),// "o" alias will be not exist during processing this @Join@Join(path="orders",alias="o")})@Spec(path="t.name",value=In.class)Collection<String>tagNames;}
Alias
The usage rules for @Join#alias are as follows:
It is shared within the same POJO
It cannot be declared multiple times within the same POJO
If not provided, the default alias is @Join#path
If it contains ., it will be replaced with _
For example:
@Joins({@Join(path="orders"),// default alias is "orders"@Join(path="orders.tags")// default alias is "orders_tags"})@Spec(path="orders_tags.name",value=In.class)
6 - Join Fetch
Filter related entities while selecting specific columns
In a POJO, you can use @JoinFetch on a field or class to filter associated entities. The difference from @Join is that this allows fetching all lazy-related data at once.
Single Join Fetch
For example, consider a Customer entity that has a one-to-many relationship with an Order entity:
Annotations are processed in order, so @JoinFetches must be defined in the correct sequence.
For example, in the previous scenario, the following order is incorrect:
@DataclassCustomerOrderTagCriteria{@JoinFetches({@JoinFetch(path="o.tags",alias="t"),// "o" alias will be not exist during processing this @Join@JoinFetch(path="orders",alias="o")})@Spec(path="t.name",value=In.class)Collection<String>tagNames;}
Alias
The usage rules for @JoinFetch#alias are as follows:
It is shared within the same POJO
It cannot be declared multiple times within the same POJO
If not provided, the default alias is @JoinFetch#path
If it contains ., it will be replaced with _
For example:
@JoinFetches({@JoinFetch(path="orders"),// default alias is "orders"@JoinFetch(path="orders.tags")// default alias is "orders_tags"})@Spec(path="orders_tags.name",value=In.class)
7 - Customize Specs
Extend and customize query conditions
Continuing from the example in the section Extending @Spec, let’s take it a step further. Now, we want to make the entity class configurable so that it can be used for entities other than Customer.
To fulfill this requirement, we need to define additional parameters in the annotation. As a result, the Simple @Spec approach is no longer suitable. Instead, we need to define a new annotation. Here’s the complete code:
Next, we need to implement the logic responsible for handling @MaxCreatedTime. We can extend it by implementing the SpecificationResolver interface:
publicclassMaxCreatedTimeSpecificationResolverimplementsSpecificationResolver{@Overridepublicbooleansupports(Databinddatabind){// Here, we tell the SpecMapper when to use this resolverreturndatabind.getField().isAnnotationPresent(MaxCreatedTime.class);}@OverridepublicSpecification<Object>buildSpecification(Contextcontext,Databinddatabind){vardef=databind.getField().getAnnotation(MaxCreatedTime.class);returndatabind.getFieldValue().map(value->subquery(def.from(),value.toString())).orElse(null);}Specification<Object>subquery(Class<?>entityClass,Stringby){// Here, we provide an example implementation for the subqueryreturn(root,query,builder)->{varsubquery=query.subquery(LocalDateTime.class);varsubroot=subquery.from(entityClass);subquery.select(builder.greatest(subroot.get("createdTime").as(LocalDateTime.class))).where(builder.equal(root.get(by),subroot.get(by)));returnbuilder.equal(root.get("createdTime"),subquery);};}}
Next, we add this resolver to the SpecMapper during its construction:
... where customer0_.created_time=(
select max(customer1_.created_time) from customer customer1_
where customer0_.firstname=customer1_.firstname
)
8 - Logging
Object-to-spec conversion process logs
Setting logging level tw.com.softleader.data.jpa.spec.SpecMapper=debug will print more details during the object-to-Spec conversion process, which can be very helpful for troubleshooting. The output will look like this:
To set tw.com.softleader.data.jpa.spec.SpecMapper to logging level debug, which prints more information during the object-to-spec conversion process:
From the first line of the example above, you can see that the default Logger Name is SpecMapper. This allows for centralized logging configuration. However, if you prefer to control and configure logging based on the converted object, we provide an alternative strategy: using the target object’s Logger for output.
You can adjust this strategy by configuring ASTWriterFactory, for example:
varmapper=SpecMapper.builder().defaultResolvers()// Default is ASTWriterFactory.domain().astWriterFactory(ASTWriterFactory.impersonation()).build();
When SpecMapper searches for fields in a POJO, it only looks for local fields within the current class and does not traverse the hierarchy of classes to find fields. If you have shared fields that you want to use in multiple POJOs, consider using the Nested Specs approach.