Ce contenu n'est pas disponible dans la langue sélectionnée.
Chapter 13. Hibernate Search
13.1. Getting Started with Hibernate Search Copier lienLien copié sur presse-papiers!
13.1.1. About Hibernate Search Copier lienLien copié sur presse-papiers!
Hibernate Search provides full-text search capability to Hibernate applications. It is especially suited to search applications for which SQL-based solutions are not suited, including: full-text, fuzzy and geolocation searches. Hibernate Search uses Apache Lucene as its full-text search engine, but is designed to minimize the maintenance overhead. Once it is configured, indexing, clustering and data synchronization is maintained transparently, allowing you to focus on meeting your business requirements.
The prior release of JBoss EAP included Hibernate 4.2 and Hibernate Search 4.6. JBoss EAP 7 includes Hibernate 5 and Hibernate Search 5.5.
Hibernate Search 5.5 works with Java 7 and now builds upon Lucene 5.3.x. If you are using any native Lucene APIs make sure to align with this version.
13.1.2. Overview Copier lienLien copié sur presse-papiers!
Hibernate Search consists of an indexing component as well as an index search component, both are backed by Apache Lucene. Each time an entity is inserted, updated or removed from the database, Hibernate Search keeps track of this event through the Hibernate event system and schedules an index update. All these updates are handled without having to interact with the Apache Lucene APIs directly. Instead, interaction with the underlying Lucene indexes is handled via an IndexManager
. By default there is a one-to-one relationship between IndexManager and Lucene index. The IndexManager abstracts the specific index configuration, including the selected back end, reader strategy and the DirectoryProvider.
Once the index is created, you can search for entities and return lists of managed entities instead of dealing with the underlying Lucene infrastructure. The same persistence context is shared between Hibernate and Hibernate Search. The FullTextSession
class is built on top of the Hibernate Session
class so that the application code can use the unified org.hibernate.Query
or javax.persistence.Query
APIs exactly the same way an HQL, JPA-QL, or native query would.
Transactional batching mode is recommended for all operations, whether or not they are JDBC-based.
It is recommended, for both your database and Hibernate Search, to execute your operations in a transaction, whether it is JDBC or JTA.
Hibernate Search works perfectly fine in the Hibernate or EntityManager long conversation pattern, known as atomic conversation.
13.1.3. About the Directory Provider Copier lienLien copié sur presse-papiers!
Apache Lucene, which is part of the Hibernate Search infrastructure, has the concept of a Directory for storage of indexes. Hibernate Search handles the initialization and configuration of a Lucene Directory instance via a Directory Provider.
The directory_provider
property specifies the directory provider to be used to store the indexes. The default file system directory provider is filesystem
, which uses the local file system to store indexes.
13.1.4. About the Worker Copier lienLien copié sur presse-papiers!
Updates to Lucene indexes are handled by the Hibernate Search Worker, which receives all entity changes, queues them by context and applies them once a context ends. The most common context is the transaction, but may be dependent on the number of entity changes or some other application events.
For better efficiency, interactions are batched and generally applied once the context ends. Outside a transaction, the index update operation is executed right after the actual database operation. In the case of an ongoing transaction, the index update operation is scheduled for the transaction commit phase and discarded in case of transaction rollback. A worker may be configured with a specific batch size limit, after which indexing occurs regardless of the context.
There are two immediate benefits to this method of handling index updates:
- Performance: Lucene indexing works better when operation are executed in batch.
- ACIDity: The work executed has the same scoping as the one executed by the database transaction and is executed if and only if the transaction is committed. This is not ACID in the strict sense, but ACID behavior is rarely useful for full text search indexes since they can be rebuilt from the source at any time.
The two batch modes, no scope vs transactional, are the equivalent of autocommit versus transactional behavior. From a performance perspective, the transactional mode is recommended. The scoping choice is made transparently. Hibernate Search detects the presence of a transaction and adjust the scoping.
13.1.5. Back End Setup and Operations Copier lienLien copié sur presse-papiers!
13.1.5.1. Back End Copier lienLien copié sur presse-papiers!
Hibernate Search uses various back ends to process batches of work. The back end is not limited to the configuration option default.worker.backend
. This property specifies a implementation of the BackendQueueProcessor
interface which is a part of a back-end configuration. Additional settings are required to set up a back-end, for example the JMS back-end.
13.1.5.2. Lucene Copier lienLien copié sur presse-papiers!
In the Lucene mode, all index updates for a node are executed by the same node to the Lucene directories using the directory providers. Use this mode in a non-clustered environment or in clustered environments with a shared directory store.
Figure 13.1. Lucene Back-end Configuration
Lucene mode targets non-clustered or clustered applications where the directory manages the locking strategy. The primary advantage of Lucene mode is simplicity and immediate visibility of changes in Lucene queries. The Near Real Time (NRT) back end is an alternative back end for non-clustered and non-shared index configurations.
13.1.5.3. JMS Copier lienLien copié sur presse-papiers!
Index updates for a node are sent to the JMS queue. A unique reader processes the queue and updates the master index. The master index is subsequently replicated regularly to slave copies, to establish the master and slave pattern. The master is responsible for Lucene index updates. The slaves accept read and write operations but process read operations on local index copies. The master is solely responsible for updating the Lucene index. Only the master applies the local changes in an update operation.
Figure 13.2. JMS Back-end Configuration
This mode targets clustered environment where throughput is critical and index update delays are affordable. The JMS provider ensures reliability and uses the slaves to change the local index copies.
13.1.6. Reader Strategies Copier lienLien copié sur presse-papiers!
When executing a query, Hibernate Search uses a reader strategy to interact with the Apache Lucene indexes. Choose a reader strategy based on the profile of the application like frequent updates, read mostly, asynchronous index update.
13.1.6.3. Custom Reader Strategies Copier lienLien copié sur presse-papiers!
You can write a custom reader strategy using an implementation of org.hibernate.search.reader.ReaderProvider
. The implementation must be thread safe.
13.2. Configuration Copier lienLien copié sur presse-papiers!
13.2.1. Minimum Configuration Copier lienLien copié sur presse-papiers!
Hibernate Search has been designed to provide flexibility in its configuration and operation, with default values carefully chosen to suit the majority of use cases. At a minimum a Directory Provider
must be configured, along with its properties. The default Directory Provider is filesystem
, which uses the local file system for index storage. For details of available Directory Providers and their configuration, see DirectoryProvider Configuration.
If you are using Hibernate directly, settings such as the DirectoryProvider must be set in the configuration file, either hibernate.properties or hibernate.cfg.xml. If you are using Hibernate via JPA, the configuration file is persistence.xml.
13.2.2. Configuring the IndexManager Copier lienLien copié sur presse-papiers!
Hibernate Search offers several implementations for this interface:
-
directory-based
: the default implementation which uses the LuceneDirectory
abstraction to manage index files. -
near-real-time
: avoids flushing writes to disk at each commit. This index manager is alsoDirectory
based, but uses Lucene’s near real-time, NRT, functionality.
To specify an IndexManager other than the default, specify the following property:
hibernate.search.[default|<indexname>].indexmanager = near-real-time
hibernate.search.[default|<indexname>].indexmanager = near-real-time
13.2.2.1. Directory-based Copier lienLien copié sur presse-papiers!
The Directory-based
implementation is the default IndexManager
implementation. It is highly configurable and allows separate configurations for the reader strategy, back ends, and directory providers.
13.2.2.2. Near Real Time Copier lienLien copié sur presse-papiers!
The NRTIndexManager
is an extension of the default IndexManager
and leverages the Lucene NRT, Near Real Time, feature for low latency index writes. However, it ignores configuration settings for alternative back ends other than lucene
and acquires exclusive write locks on the Directory
.
The IndexWriter
does not flush every change to the disk to provide low latency. Queries can read the updated states from the unflushed index writer buffers. However, this means that if the IndexWriter
is killed or the application crashes, updates can be lost so the indexes must be rebuilt.
The Near Real Time configuration is recommended for non-clustered websites with limited data due to the mentioned disadvantages and because a master node can be individually configured for improved performance as well.
13.2.2.3. Custom Copier lienLien copié sur presse-papiers!
Specify a fully qualified class name for the custom implementation to set up a customized IndexManager
. Set up a no-argument constructor for the implementation as follows:
[default|<indexname>].indexmanager = my.corp.myapp.CustomIndexManager
[default|<indexname>].indexmanager = my.corp.myapp.CustomIndexManager
The custom index manager implementation does not require the same components as the default implementations. For example, delegate to a remote indexing service which does not expose a Directory
interface.
13.2.3. DirectoryProvider Configuration Copier lienLien copié sur presse-papiers!
A DirectoryProvider
is the Hibernate Search abstraction around a Lucene Directory
and handles the configuration and the initialization of the underlying Lucene resources. Directory Providers and their Properties shows the list of the directory providers available in Hibernate Search together with their corresponding options.
Each indexed entity is associated with a Lucene index (except of the case where multiple entities share the same index). The name of the index is given by the index
property of the @Indexed
annotation. If the index
property is not specified the fully qualified name of the indexed class will be used as name (recommended).
The DirectoryProvider and any additional options can be configured by using the prefix hibernate.search.<indexname>
. The name default
(hibernate.search.default
) is reserved and can be used to define properties which apply to all indexes. Configuring Directory Providers shows how hibernate.search.default.directory_provider
is used to set the default directory provider to be the filesystem one. hibernate.search.default.indexBase
sets then the default base directory for the indexes. As a result the index for the entity Status
is created in /usr/lucene/indexes/org.hibernate.example.Status.
The index for the Rule
entity, however, is using an in-memory directory, because the default directory provider for this entity is overridden by the property hibernate.search.Rules.directory_provider
.
Finally the Action
entity uses a custom directory provider CustomDirectoryProvider
specified via hibernate.search.Actions.directory_provider
.
Specifying the Index Name
Configuring Directory Providers
hibernate.search.default.directory_provider = filesystem hibernate.search.default.indexBase=/usr/lucene/indexes hibernate.search.Rules.directory_provider = ram hibernate.search.Actions.directory_provider = com.acme.hibernate.CustomDirectoryProvider
hibernate.search.default.directory_provider = filesystem
hibernate.search.default.indexBase=/usr/lucene/indexes
hibernate.search.Rules.directory_provider = ram
hibernate.search.Actions.directory_provider = com.acme.hibernate.CustomDirectoryProvider
Using the described configuration scheme you can easily define common rules like the directory provider and base directory, and override those defaults later on a per index basis.
Directory Providers and their Properties
- ram
- None
- filesystem
File system based directory. The directory used will be <indexBase>/< indexName >
- indexBase : base directory
- indexName: override @Indexed.index (useful for sharded indexes)
- locking_strategy : optional, see LockFactory Configuration
-
filesystem_access_type: allows to determine the exact type of
FSDirectory
implementation used by thisDirectoryProvider
. Allowed values areauto
(the default value, selectsNIOFSDirectory
on non Windows systems,SimpleFSDirectory
on Windows),simple (SimpleFSDirectory)
,nio (NIOFSDirectory)
,mmap (MMapDirectory)
. Refer to Javadocs of these Directory implementations before changing this setting. Even thoughNIOFSDirectory
orMMapDirectory
can bring substantial performance boosts they also have their issues.
filesystem-master
File system based directory. Like
filesystem
. It also copies the index to a source directory (aka copy directory) on a regular basis.The recommended value for the refresh period is (at least) 50% higher that the time to copy the information (default 3600 seconds - 60 minutes).
Note that the copy is based on an incremental copy mechanism reducing the average copy time.
DirectoryProvider typically used on the master node in a JMS back end cluster.
The
buffer_size_on_copy
optimum depends on your operating system and available RAM; most people reported good results using values between 16 and 64MB.- indexBase: base directory
- indexName: override @Indexed.index (useful for sharded indexes)
- sourceBase: source (copy) base directory.
-
source: source directory suffix (default to
@Indexed.index
). The actual source directory name being<sourceBase>/<source>
- refresh: refresh period in seconds (the copy will take place every refresh seconds). If a copy is still in progress when the following refresh period elapses, the second copy operation will be skipped.
- buffer_size_on_copy: The amount of MegaBytes to move in a single low level copy instruction; defaults to 16MB.
- locking_strategy : optional, see LockFactory Configuration
-
filesystem_access_type: allows to determine the exact type of
FSDirectory
implementation used by thisDirectoryProvider
. Allowed values areauto
(the default value, selectsNIOFSDirectory
on non Windows systems,SimpleFSDirectory
on Windows),simple (SimpleFSDirectory)
,nio (NIOFSDirectory)
,mmap (MMapDirectory)
. Refer to Javadocs of these Directory implementations before changing this setting. Even thoughNIOFSDirectory
orMMapDirectory
can bring substantial performance boosts, there are also issues of which you need to be aware.
filesystem-slave
File system based directory. Like
filesystem
, but retrieves a master version (source) on a regular basis. To avoid locking and inconsistent search results, 2 local copies are kept.The recommended value for the refresh period is (at least) 50% higher that the time to copy the information (default 3600 seconds - 60 minutes).
Note that the copy is based on an incremental copy mechanism reducing the average copy time. If a copy is still in progress when refresh period elapses, the second copy operation will be skipped.
DirectoryProvider typically used on slave nodes using a JMS back end.
The
buffer_size_on_copy
optimum depends on your operating system and available RAM; most people reported good results using values between 16 and 64MB.- indexBase: Base directory
- indexName: override @Indexed.index (useful for sharded indexes)
- sourceBase: Source (copy) base directory.
-
source: Source directory suffix (default to
@Indexed.index
). The actual source directory name being<sourceBase>/<source>
- refresh: refresh period in second (the copy will take place every refresh seconds).
- buffer_size_on_copy: The amount of MegaBytes to move in a single low level copy instruction; defaults to 16MB.
- locking_strategy : optional, see LockFactory Configuration
- retry_marker_lookup : optional, default to 0. Defines how many times Hibernate Search checks for the marker files in the source directory before failing. Waiting 5 seconds between each try.
-
retry_initialize_period : optional, set an integer value in seconds to enable the retry initialize feature: if the slave cannot find the master index it will try again until it’s found in background, without preventing the application to start: fullText queries performed before the index is initialized are not blocked but will return empty results. When not enabling the option or explicitly setting it to zero it will fail with an exception instead of scheduling a retry timer. To prevent the application from starting without an invalid index but still control an initialization timeout, see
retry_marker_lookup
instead. -
filesystem_access_type: allows to determine the exact type of
FSDirectory
implementation used by thisDirectoryProvider
. Allowed values are auto (the default value, selectsNIOFSDirectory
on non Windows systems,SimpleFSDirectory
on Windows),simple (SimpleFSDirectory)
,nio (NIOFSDirectory)
,mmap (MMapDirectory)
. Refer to Javadocs of these Directory implementations before changing this setting. Even thoughNIOFSDirectory
orMMapDirectory
can bring substantial performance boosts you need also to be aware of the issues.
If the built-in directory providers do not fit your needs, you can write your own directory provider by implementing the org.hibernate.store.DirectoryProvider
interface. In this case, pass the fully qualified class name of your provider into the directory_provider
property. You can pass any additional properties using the prefix hibernate.search.<indexname>
.
13.2.4. Worker Configuration Copier lienLien copié sur presse-papiers!
It is possible to refine how Hibernate Search interacts with Lucene through the worker configuration. There exist several architectural components and possible extension points. Let’s have a closer look.
Use the worker configuration to refine how Infinispan Query interacts with Lucene. Several architectural components and possible extension points are available for this configuration.
First there is a Worker
. An implementation of the Worker
interface is responsible for receiving all entity changes, queuing them by context and applying them once a context ends. The most intuitive context, especially in connection with ORM, is the transaction. For this reason Hibernate Search will per default use the TransactionalWorker
to scope all changes per transaction. One can, however, imagine a scenario where the context depends for example on the number of entity changes or some other application (lifecycle) events.
Property | Description |
---|---|
|
The fully qualified class name of the |
|
All configuration properties prefixed with |
|
Defines the maximum number of indexing operation batched per context. Once the limit is reached indexing will be triggered even though the context has not ended yet. This property only works if the |
Once a context ends it is time to prepare and apply the index changes. This can be done synchronously or asynchronously from within a new thread. Synchronous updates have the advantage that the index is at all times in sync with the databases. Asynchronous updates, on the other hand, can help to minimize the user response time. The drawback is potential discrepancies between database and index states.
The following options can be different on each index; in fact they need the indexName prefix or use default
to set the default value for all indexes.
Property | Description |
---|---|
|
|
| The back end can apply updates from the same transaction context (or batch) in parallel, using a threadpool. The default value is 1. You can experiment with larger values if you have many operations per transaction. |
| Defines the maximal number of work queue if the thread pool is starved. Useful only for asynchronous execution. Default to infinite. If the limit is reached, the work is done by the main thread. |
So far all work is done within the same Virtual Machine (VM), no matter which execution mode. The total amount of work has not changed for the single VM. Luckily there is a better approach, namely delegation. It is possible to send the indexing work to a different server by configuring hibernate.search.default.worker.backend
. Again this option can be configured differently for each index.
Property | Description |
---|---|
|
You can also specify the fully qualified name of a class implementing |
Property | Description |
---|---|
| Defines the JNDI properties to initiate the InitialContext (if needed). JNDI is only used by the JMS back end. |
|
Mandatory for the JMS back end. Defines the JNDI name to lookup the JMS connection factory from ( |
| Mandatory for the JMS back end. Defines the JNDI name to lookup the JMS queue from. The queue will be used to post work messages. |
As you probably noticed, some of the shown properties are correlated which means that not all combinations of property values make sense. In fact you can end up with a non-functional configuration. This is especially true for the case that you provide your own implementations of some of the shown interfaces. Make sure to study the existing code before you write your own Worker
or BackendQueueProcessor
implementation.
13.2.4.1. JMS Master/Slave Back End Copier lienLien copié sur presse-papiers!
This section describes in greater detail how to configure the Master/Slave Hibernate Search architecture.
Figure 13.3. JMS Backend Configuration
13.2.4.2. Slave Nodes Copier lienLien copié sur presse-papiers!
Every index update operation is sent to a JMS queue. Index querying operations are executed on a local index copy.
JMS Slave configuration
A file system local copy is recommended for faster search results.
13.2.4.3. Master Node Copier lienLien copié sur presse-papiers!
Every index update operation is taken from a JMS queue and executed. The master index is copied on a regular basis.
Index update operations in the JMS queue are executed and the master index is copied regularly.
JMS Master Configuration
In addition to the Hibernate Search framework configuration, a Message Driven Bean has to be written and set up to process the index works queue through JMS.
Message Driven Bean processing the indexing queue
This example inherits from the abstract JMS controller class available in the Hibernate Search source code and implements a JavaEE MDB. This implementation is given as an example and can be adjusted to make use of non Java EE Message Driven Beans.
13.2.5. Tuning Lucene Indexing Copier lienLien copié sur presse-papiers!
13.2.5.1. Tuning Lucene Indexing Performance Copier lienLien copié sur presse-papiers!
Hibernate Search is used to tune the Lucene indexing performance by specifying a set of parameters which are passed through to underlying Lucene IndexWriter
such as mergeFactor
, maxMergeDocs
, and maxBufferedDocs
. Specify these parameters either as default values applying for all indexes, on a per index basis, or even per shard.
There are several low level IndexWriter
settings which can be tuned for different use cases. These parameters are grouped by the indexwriter
keyword:
hibernate.search.[default|<indexname>].indexwriter.<parameter_name>
hibernate.search.[default|<indexname>].indexwriter.<parameter_name>
If no value is set for an indexwriter
value in a specific shard configuration, Hibernate Search checks the index section, then at the default section.
The configuration in the following table will result in these settings applied on the second shard of the Animal
index:
-
max_merge_docs
= 10 -
merge_factor
= 20 -
ram_buffer_size
= 64MB -
term_index_interval
= Lucene default
All other values will use the defaults defined in Lucene.
The default for all values is to leave them at Lucene’s own default. The values listed in List of indexing performance and behavior properties depend for this reason on the version of Lucene you are using. The values shown are relative to version 2.4
.
Previous versions of Hibernate Search had the notion of batch
and transaction
properties. This is no longer the case as the back end will always perform work using the same settings.
Property | Description | Default Value |
---|---|---|
|
Set to |
|
|
Each index has a separate "pipeline" which contains the updates to be applied to the index. When this queue is full adding more operations to the queue becomes a blocking operation. Configuring this setting does not make much sense unless the |
|
| Determines the minimal number of delete terms required before the buffered in-memory delete terms are applied and flushed. If there are documents buffered in memory at the time, they are merged and a new segment is created. | Disabled (flushes by RAM usage) |
| Controls the amount of documents buffered in memory during indexing. The bigger the more RAM is consumed. | Disabled (flushes by RAM usage) |
| Defines the largest number of documents allowed in a segment. Smaller values perform better on frequently changing indexes, larger values provide better search performance if the index does not change often. | Unlimited (Integer.MAX_VALUE) |
| Controls segment merge frequency and size. Determines how often segment indexes are merged when insertion occurs. With smaller values, less RAM is used while indexing, and searches on unoptimized indexes are faster, but indexing speed is slower. With larger values, more RAM is used during indexing, and while searches on unoptimized indexes are slower, indexing is faster. Thus larger values (> 10) are best for batch index creation, and smaller values (< 10) for indexes that are interactively maintained. The value must not be lower than 2. | 10 |
|
Controls segment merge frequency and size. Segments smaller than this size (in MB) are always considered for the next segment merge operation. Setting this too large might result in expensive merge operations, even though they are less frequent. See also | 0 MB (actually ~1K) |
| Controls segment merge frequency and size. Segments larger than this size (in MB) are never merged in bigger segments. This helps reduce memory requirements and avoids some merging operations at the cost of optimal search speed. When optimizing an index this value is ignored.
See also | Unlimited |
| Controls segment merge frequency and size.
Segments larger than this size (in MB) are not merged in bigger segments even when optimizing the index (see
Applied to | Unlimited |
| Controls segment merge frequency and size.
Set to
Applied to |
|
| Controls the amount of RAM in MB dedicated to document buffers. When used together max_buffered_docs a flush occurs for whichever event happens first. Generally for faster indexing performance it is best to flush by RAM usage instead of document count and use as large a RAM buffer as you can. | 16 MB |
| Expert: Set the interval between indexed terms. Large values cause less memory to be used by IndexReader, but slow random-access to terms.Small values cause more memory to be used by an IndexReader, and speed random-access to terms. See Lucene documentation for more details. | 128 |
|
The advantage of using the compound file format is that less file descriptors are used. The disadvantage is that indexing takes more time and temporary disk space. You can set this parameter to
Boolean parameter, use “true” or “false”. The default value for this option is | true |
| Not all entity changes require a Lucene index update. If all of the updated entity properties (dirty properties) are not indexed, Hibernate Search skips the re-indexing process.
Disable this option if you use custom
This optimization will not be applied on classes using a
Boolean parameter, use “true” or “false”. The default value for this option is | true |
The blackhole
back end is not meant to be used in production, only as a tool to identify indexing bottlenecks.
13.2.5.2. The Lucene IndexWriter Copier lienLien copié sur presse-papiers!
There are several low level IndexWriter
settings which can be tuned for different use cases. These parameters are grouped by the indexwriter
keyword:
default.<indexname>.indexwriter.<parameter_name>
default.<indexname>.indexwriter.<parameter_name>
If no value is set for indexwriter
in a shard configuration, Hibernate Search looks at the index section and then at the default section.
13.2.5.3. Performance Option Configuration Copier lienLien copié sur presse-papiers!
The following configuration will result in these settings being applied on the second shard of the Animal
index:
Example performance option configuration
default.Animals.2.indexwriter.max_merge_docs = 10 default.Animals.2.indexwriter.merge_factor = 20 default.Animals.2.indexwriter.term_index_interval = default default.indexwriter.max_merge_docs = 100 default.indexwriter.ram_buffer_size = 64
default.Animals.2.indexwriter.max_merge_docs = 10
default.Animals.2.indexwriter.merge_factor = 20
default.Animals.2.indexwriter.term_index_interval = default
default.indexwriter.max_merge_docs = 100
default.indexwriter.ram_buffer_size = 64
-
max_merge_docs
= 10 -
merge_factor
= 20 -
ram_buffer_size
= 64MB -
term_index_interval
= Lucene default
All other values will use the defaults defined in Lucene.
The Lucene default values are the default setting for Hibernate Search. Therefore, the values listed in the following table depend on the version of Lucene being used. The values shown are relative to version 2.4
. For more information about Lucene indexing performance, see the Lucene documentation.
The back end will always perform work using the same settings.
Property | Description | Default Value |
---|---|---|
|
Set to |
|
|
Each index has a separate "pipeline" which contains the updates to be applied to the index. When this queue is full adding more operations to the queue becomes a blocking operation. Configuring this setting does not make much sense unless the |
|
| Determines the minimal number of delete terms required before the buffered in-memory delete terms are applied and flushed. If there are documents buffered in memory at the time, they are merged and a new segment is created. | Disabled (flushes by RAM usage) |
| Controls the amount of documents buffered in memory during indexing. The bigger the more RAM is consumed. | Disabled (flushes by RAM usage) |
| Defines the largest number of documents allowed in a segment. Smaller values perform better on frequently changing indexes, larger values provide better search performance if the index does not change often. | Unlimited (Integer.MAX_VALUE) |
| Controls segment merge frequency and size. Determines how often segment indexes are merged when insertion occurs. With smaller values, less RAM is used while indexing, and searches on unoptimized indexes are faster, but indexing speed is slower. With larger values, more RAM is used during indexing, and while searches on unoptimized indexes are slower, indexing is faster. Thus larger values (> 10) are best for batch index creation, and smaller values (< 10) for indexes that are interactively maintained. The value must not be lower than 2. | 10 |
| Controls segment merge frequency and size. Segments smaller than this size (in MB) are always considered for the next segment merge operation. Setting this too large might result in expensive merge operations, even though they are less frequent.
See also | 0 MB (actually ~1K) |
| Controls segment merge frequency and size. Segments larger than this size (in MB) are never merged in bigger segments. This helps reduce memory requirements and avoids some merging operations at the cost of optimal search speed. When optimizing an index this value is ignored.
See also | Unlimited |
| Controls segment merge frequency and size.
Segments larger than this size (in MB) are not merged in bigger segments even when optimizing the index (see
Applied to | Unlimited |
| Controls segment merge frequency and size.
Set to
Applied to |
|
| Controls the amount of RAM in MB dedicated to document buffers. When used together max_buffered_docs a flush occurs for whichever event happens first. Generally for faster indexing performance it is best to flush by RAM usage instead of document count and use as large a RAM buffer as you can. | 16 MB |
| Expert: Set the interval between indexed terms. Large values cause less memory to be used by IndexReader, but slow random-access to terms. Small values cause more memory to be used by an IndexReader, and speed random-access to terms. See Lucene documentation for more details. | 128 |
|
The advantage of using the compound file format is that less file descriptors are used. The disadvantage is that indexing takes more time and temporary disk space. You can set this parameter to
Boolean parameter, use “true” or “false”. The default value for this option is | true |
| Not all entity changes require a Lucene index update. If all of the updated entity properties (dirty properties) are not indexed, Hibernate Search skips the re-indexing process.
Disable this option if you use custom
This optimization will not be applied on classes using a
Boolean parameter, use “true” or “false”. The default value for this option is | true |
13.2.5.4. Tuning the Indexing Speed Copier lienLien copié sur presse-papiers!
When the architecture permits it, keep default.exclusive_index_use=true
for improved index writing efficiency.
When tuning indexing speed the recommended approach is to focus first on optimizing the object loading, and then use the timings you achieve as a baseline to tune the indexing process. Set the blackhole
as worker back end and start your indexing routines. This back end does not disable Hibernate Search. It generates the required change sets to the index, but discards them instead of flushing them to the index. In contrast to setting the hibernate.search.indexing_strategy
to manual
, using blackhole
will possibly load more data from the database because associated entities are re-indexed as well.
hibernate.search.[default|<indexname>].worker.backend blackhole
hibernate.search.[default|<indexname>].worker.backend blackhole
The blackhole
back end is not to be used in production, only as a diagnostic tool to identify indexing bottlenecks.
13.2.5.5. Control Segment Size Copier lienLien copié sur presse-papiers!
The following options configure the maximum size of segments created:
-
merge_max_size
-
merge_max_optimize_size
-
merge_calibrate_by_deletes
Control Segment Size
//to be fairly confident no files grow above 15MB, use: hibernate.search.default.indexwriter.ram_buffer_size = 10 hibernate.search.default.indexwriter.merge_max_optimize_size = 7 hibernate.search.default.indexwriter.merge_max_size = 7
//to be fairly confident no files grow above 15MB, use:
hibernate.search.default.indexwriter.ram_buffer_size = 10
hibernate.search.default.indexwriter.merge_max_optimize_size = 7
hibernate.search.default.indexwriter.merge_max_size = 7
Set the max_size
for merge operations to less than half of the hard limit segment size, as merging segments combines two segments into one larger segment.
A new segment may initially be a larger size than expected, however a segment is never created significantly larger than the ram_buffer_size
. This threshold is checked as an estimate.
13.2.6. LockFactory Configuration Copier lienLien copié sur presse-papiers!
The Lucene Directory can be configured with a custom locking strategy via LockingFactory
for each index managed by Hibernate Search.
Some locking strategies require a filesystem level lock, and may be used on RAM-based indexes. When using this strategy the IndexBase
configuration option must be specified to point to a filesystem location in which to store the lock marker files.
To select a locking factory, set the hibernate.search.<index>.locking_strategy
option to one the following options:
- simple
- native
- single
- none
Name | Class | Description |
---|---|---|
LockFactory Configuration | org.apache.lucene.store.SimpleFSLockFactory | Safe implementation based on Java’s File API, it marks the usage of the index by creating a marker file. If for some reason you had to kill your application, you will need to remove this file before restarting it. |
| org.apache.lucene.store.NativeFSLockFactory |
As does This implementation has known problems on NFS, avoid it on network shares.
|
| org.apache.lucene.store.SingleInstanceLockFactory | This LockFactory does not use a file marker but is a Java object lock held in memory; therefore it’s possible to use it only when you are sure the index is not going to be shared by any other process.
This is the default implementation for the |
| org.apache.lucene.store.NoLockFactory | Changes to this index are not coordinated by a lock. |
The following is an example of locking strategy configuration:
hibernate.search.default.locking_strategy = simple hibernate.search.Animals.locking_strategy = native hibernate.search.Books.locking_strategy = org.custom.components.MyLockingFactory
hibernate.search.default.locking_strategy = simple
hibernate.search.Animals.locking_strategy = native
hibernate.search.Books.locking_strategy = org.custom.components.MyLockingFactory
13.2.7. Index Format Compatibility Copier lienLien copié sur presse-papiers!
Hibernate Search does not currently offer a backwards compatible API or tool to facilitate porting applications to newer versions. The API uses Apache Lucene for index writing and searching. Occasionally an update to the index format may be required. In this case, there is a possibility that data will need to be re-indexed if Lucene is unable to read the old format.
Back up indexes before attempting to update the index format.
Hibernate Search exposes the hibernate.search.lucene_version
configuration property. This property instructs Analyzers and other Lucene classes to conform to their behaviour as defined in an older version of Lucene. See also org.apache.lucene.util.Version
contained in the lucene-core.jar
. If the option is not specified, Hibernate Search instructs Lucene to use the version default. It is recommended that the version used is explicitly defined in the configuration to prevent automatic changes when an upgrade occurs. After an upgrade, the configuration values can be updated explicitly if required.
Force Analyzers to be compatible with a Lucene 3.0 created index
hibernate.search.lucene_version = LUCENE_30
hibernate.search.lucene_version = LUCENE_30
The configured SearchFactory
is global and affects all Lucene APIs that contain the relevant parameter. If Lucene is used and Hibernate Search is bypassed, apply the same value to it for consistent results.
13.3. Hibernate Search for Your Application Copier lienLien copié sur presse-papiers!
13.3.1. First Steps with Hibernate Search Copier lienLien copié sur presse-papiers!
To get started with Hibernate Search for your application, follow these topics.
13.3.2. Enable Hibernate Search using Maven Copier lienLien copié sur presse-papiers!
Use the following configuration in your Maven project to add hibernate-search-orm
dependencies:
13.3.3. Add Annotations Copier lienLien copié sur presse-papiers!
For this section, consider the example in which you have a database containing details of books. Your application contains the Hibernate managed classes example.Book
and example.Author
and you want to add free text search capabilities to your application to enable searching for books.
Example: Entities Book and Author Before Adding Hibernate Search Specific Annotations
To achieve this you have to add a few annotations to the Book and Author class. The first annotation @Indexed
marks Book as indexable. By design Hibernate Search stores an untokenized ID in the index to ensure index unicity for a given entity. @DocumentId
marks the property to use for this purpose and is in most cases the same as the database primary key. The @DocumentId
annotation is optional in the case where an @Id
annotation exists.
Next the fields you want to make searchable must be marked as such. In this example, start with title
and subtitle
and annotate both with @Field
. The parameter index=Index.YES
will ensure that the text will be indexed, while analyze=Analyze.YES
ensures that the text will be analyzed using the default Lucene analyzer. Usually, analyzing means chunking a sentence into individual words and potentially excluding common words like 'a'
or ‘the’. We will talk more about analyzers a little later on. The third parameter we specify within @Field
, store=Store.NO
, ensures that the actual data will not be stored in the index. Whether this data is stored in the index or not has nothing to do with the ability to search for it. From Lucene’s perspective it is not necessary to keep the data once the index is created. The benefit of storing it is the ability to retrieve it via projections.
Without projections, Hibernate Search will per default execute a Lucene query in order to find the database identifiers of the entities matching the query criteria and use these identifiers to retrieve managed objects from the database. The decision for or against projection has to be made on a case to case basis. The default behavior is recommended since it returns managed objects whereas projections only return object arrays. Note that index=Index.YES
, analyze=Analyze.YES
and store=Store.NO
are the default values for these parameters and could be omitted.
Another annotation not yet discussed is @DateBridge
. This annotation is one of the built-in field bridges in Hibernate Search. The Lucene index is purely string based. For this reason Hibernate Search must convert the data types of the indexed fields to strings and vice-versa. A range of predefined bridges are provided, including the DateBridge which will convert a java.util.Date into a String with the specified resolution. For more details see Bridges.
This leaves us with @IndexedEmbedded
. This annotation is used to index associated entities (@ManyToMany
, @*ToOne
, @Embedded
and @ElementCollection
) as part of the owning entity. This is needed since a Lucene index document is a flat data structure which does not know anything about object relations. To ensure that the authors' name will be searchable you have to ensure that the names are indexed as part of the book itself. On top of @IndexedEmbedded
you will also have to mark all fields of the associated entity you want to have included in the index with @Indexed
. For more details see Embedded and Associated Objects
These settings should be sufficient for now. For more details on entity mapping see Mapping an Entity.
Example: Entities After Adding Hibernate Search Annotations
13.3.4. Indexing Copier lienLien copié sur presse-papiers!
Hibernate Search will transparently index every entity persisted, updated or removed through Hibernate Core. However, you have to create an initial Lucene index for the data already present in your database. Once you have added the above properties and annotations it is time to trigger an initial batch index of your books. You can achieve this by using one of the following code snippets (see also ):
Example: Using the Hibernate Session to Index Data
FullTextSession fullTextSession = org.hibernate.search.Search.getFullTextSession(session); fullTextSession.createIndexer().startAndWait();
FullTextSession fullTextSession = org.hibernate.search.Search.getFullTextSession(session);
fullTextSession.createIndexer().startAndWait();
Example: Using JPA to Index Data
EntityManager em = entityManagerFactory.createEntityManager(); FullTextEntityManager fullTextEntityManager = org.hibernate.search.jpa.Search.getFullTextEntityManager(em); fullTextEntityManager.createIndexer().startAndWait();
EntityManager em = entityManagerFactory.createEntityManager();
FullTextEntityManager fullTextEntityManager = org.hibernate.search.jpa.Search.getFullTextEntityManager(em);
fullTextEntityManager.createIndexer().startAndWait();
After executing the above code, you should be able to see a Lucene index under /var/lucene/indexes/example.Book
. Go ahead an inspect this index with Luke. It will help you to understand how Hibernate Search works.
13.3.5. Searching Copier lienLien copié sur presse-papiers!
To execute a search, create a Lucene query using either the Lucene API or the Hibernate Search query DSL. Wrap the query in a org.hibernate.Query to get the required functionality from the Hibernate API. The following code prepares a query against the indexed fields. Executing the code returns a list of Books.
Example: Using a Hibernate Search Session to Create and Execute a Search
Example: Using JPA to Create and Execute a Search
13.3.6. Analyzer Copier lienLien copié sur presse-papiers!
Assuming that the title of an indexed book entity is Refactoring: Improving the Design of Existing Code
and that hits are required for the following queries: refactor
, refactors
, refactored
, and refactoring
. Select an analyzer class in Lucene that applies word stemming when indexing and searching. Hibernate Search offers several ways to configure the analyzer (see Default Analyzer and Analyzer by Class for more information):
-
Set the
analyzer
property in the configuration file. The specified class becomes the default analyzer. -
Set the
@Analyzer
annotation at the entity level. -
Set the
@Analyzer
annotation at the field level.
Specify the fully qualified classname or the analyzer to use, or see an analyzer defined by the @AnalyzerDef
annotation with the @Analyzer
annotation. The Solr analyzer framework with its factories are utilized for the latter option. For more information about factory classes, see the Solr JavaDoc or read the corresponding section on the Solr Wiki (http://wiki.apache.org/solr/AnalyzersTokenizersTokenFilters)
In the example, a StandardTokenizerFactory is used by two filter factories: LowerCaseFilterFactory and SnowballPorterFilterFactory. The tokenizer splits words at punctuation characters and hyphens but keeping email addresses and internet hostnames intact. The standard tokenizer is ideal for this and other general operations. The lowercase filter converts all letters in the token into lowercase and the snowball filter applies language specific stemming.
If using the Solr framework, use the tokenizer with an arbitrary number of filters.
Example: Using @AnalyzerDef and the Solr Framework to Define and Use an Analyzer
Use @AnalyzerDef to define an analyzer, then apply it to entities and properties using @Analyzer. In the example, the customanalyzer
is defined but not applied on the entity. The analyzer is only applied to the title
and subtitle
properties. An analyzer definition is global. Define the analyzer for an entity and reuse the definition for other entities as required.
13.4. Mapping Entities to the Index Structure Copier lienLien copié sur presse-papiers!
13.4.1. Mapping an Entity Copier lienLien copié sur presse-papiers!
All the metadata information required to index entities is described through annotations, so there is no need for XML mapping files. You can still use Hibernate mapping files for the basic Hibernate configuration, but the Hibernate Search specific configuration has to be expressed via annotations.
13.4.1.1. Basic Mapping Copier lienLien copié sur presse-papiers!
Let us start with the most commonly used annotations for mapping an entity.
The Lucene-based Query API uses the following common annotations to map entities:
- @Indexed
- @Field
- @NumericField
- @Id
13.4.1.2. @Indexed Copier lienLien copié sur presse-papiers!
Foremost we must declare a persistent class as indexable. This is done by annotating the class with @Indexed
(all entities not annotated with @Indexed
will be ignored by the indexing process):
@Entity @Indexed public class Essay { ... }
@Entity
@Indexed
public class Essay {
...
}
You can optionally specify the index
attribute of the @Indexed annotation to change the default name of the index.
13.4.1.3. @Field Copier lienLien copié sur presse-papiers!
For each property (or attribute) of your entity, you have the ability to describe how it will be indexed. The default (no annotation present) means that the property is ignored by the indexing process.
Prior to Hibernate Search 5, numeric field encoding was only chosen if explicitly requested via @NumericField
. As of Hibernate Search 5 this encoding is automatically chosen for numeric types. To avoid numeric encoding you can explicitly specify a non numeric field bridge via @Field.bridge
or @FieldBridge
. The package org.hibernate.search.bridge.builtin
contains a set of bridges which encode numbers as strings, for example org.hibernate.search.bridge.builtin.IntegerBridge
.
@Field
does declare a property as indexed and allows to configure several aspects of the indexing process by setting one or more of the following attributes:
-
name
: describe under which name, the property should be stored in the Lucene Document. The default value is the property name (following the JavaBeans convention) -
store
: describe whether or not the property is stored in the Lucene index. You can store the valueStore.YES
(consuming more space in the index but allowing projection, store it in a compressed wayStore.COMPRESS
(this does consume more CPU), or avoid any storageStore.NO
(this is the default value). When a property is stored, you can retrieve its original value from the Lucene Document. This is not related to whether the element is indexed or not. index
: describe whether the property is indexed or not. The different values areIndex.NO
(no indexing, ie cannot be found by a query),Index.YES
(the element gets indexed and is searchable). The default value isIndex.YES
.Index.NO
can be useful for cases where a property is not required to be searchable, but should be available for projection.NoteIndex.NO
in combination withAnalyze.YES
orNorms.YES
is not useful, sinceanalyze
andnorms
require the property to be indexedanalyze
: determines whether the property is analyzed (Analyze.YES
) or not (Analyze.NO
). The default value isAnalyze.YES
.NoteWhether or not you want to analyze a property depends on whether you wish to search the element as is, or by the words it contains. It make sense to analyze a text field, but probably not a date field.
NoteFields used for sorting must not be analyzed.
-
norms
: describes whether index time boosting information should be stored (Norms.YES
) or not (Norms.NO
). Not storing it can save a considerable amount of memory, but there will not be any index time boosting information available. The default value isNorms.YES
. termVector
: describes collections of term-frequency pairs. This attribute enables the storing of the term vectors within the documents during indexing. The default value isTermVector.NO
.The different values of this attribute are:
Expand Value Definition TermVector.YES
Store the term vectors of each document. This produces two synchronized arrays, one contains document terms and the other contains the term’s frequency.
TermVector.NO
Do not store term vectors.
TermVector.WITH_OFFSETS
Store the term vector and token offset information. This is the same as TermVector.YES plus it contains the starting and ending offset position information for the terms.
TermVector.WITH_POSITIONS
Store the term vector and token position information. This is the same as TermVector.YES plus it contains the ordinal positions of each occurrence of a term in a document.
TermVector.WITH_POSITION_OFFSETS
Store the term vector, token position and offset information. This is a combination of the YES, WITH_OFFSETS and WITH_POSITIONS.
indexNullAs
: Per default null values are ignored and not indexed. However, usingindexNullAs
you can specify a string which will be inserted as token for thenull
value. Per default this value is set toField.DO_NOT_INDEX_NULL
indicating thatnull
values should not be indexed. You can set this value toField.DEFAULT_NULL_TOKEN
to indicate that a defaultnull
token should be used. This defaultnull
token can be specified in the configuration usinghibernate.search.default_null_token
. If this property is not set and you specifyField.DEFAULT_NULL_TOKEN
the string "null" will be used as default.NoteWhen the
indexNullAs
parameter is used it is important to use the same token in the search query to search fornull
values. It is also advisable to use this feature only with un-analyzed fields (Analyze.NO
).WarningWhen implementing a custom FieldBridge or TwoWayFieldBridge it is up to the developer to handle the indexing of null values (see JavaDocs of LuceneOptions.indexNullAs()).
13.4.1.4. @NumericField Copier lienLien copié sur presse-papiers!
There is a companion annotation to @Field called @NumericField that can be specified in the same scope as @Field or @DocumentId. It can be specified for Integer, Long, Float, and Double properties. At index time the value will be indexed using a Trie structure. When a property is indexed as numeric field, it enables efficient range query and sorting, orders of magnitude faster than doing the same query on standard @Field properties. The @NumericField annotation accept the following parameters:
Value | Definition |
---|---|
forField | (Optional) Specify the name of the related @Field that will be indexed as numeric. It is only mandatory when the property contains more than a @Field declaration |
precisionStep | (Optional) Change the way that the Trie structure is stored in the index. Smaller precisionSteps lead to more disk space usage and faster range and sort queries. Larger values lead to less space used and range query performance more close to the range query in normal @Fields. Default value is 4. |
@NumericField supports only Double, Long, Integer and Float. It is not possible to take any advantage from similar functionality in Lucene for the other numeric types, so remaining types should use the string encoding via the default or custom TwoWayFieldBridge.
It is possible to use a custom NumericFieldBridge assuming you can deal with the approximation during type transformation:
Example: Defining a custom NumericFieldBridge
13.4.1.5. @Id Copier lienLien copié sur presse-papiers!
Finally, the id
(identifier) property of an entity is a special property used by Hibernate Search to ensure index uniqueness of a given entity. By design, an id
must be stored and must not be tokenized. To mark a property as an index identifier, use the @DocumentId
annotation. If you are using JPA and you have specified @Id you can omit @DocumentId. The chosen entity identifier will also be used as the document identifier.
Infinispan Query uses the entity’s id
property to ensure the index is uniquely identified. By design, an ID is stored and must not be converted into a token. To mark a property as index ID, use the @DocumentId
annotation.
Example: Specifying indexed properties
The example above defines an index with four fields: id
, Abstract
, text
and grade
. Note that by default the field name is not capitalized, following the JavaBean specification. The grade
field is annotated as numeric with a slightly larger precision step than the default.
13.4.1.6. Mapping Properties Multiple Times Copier lienLien copié sur presse-papiers!
Sometimes you need to map a property multiple times per index, with slightly different indexing strategies. For example, sorting a query by field requires the field to be un-analyzed. To search by words on this property and still sort it, it needs to be indexed - once analyzed and once un-analyzed. @Fields allows you to achieve this goal.
Example: Using @Fields to map a property multiple times
In this example the field summary
is indexed twice, once as summary
in a tokenized way, and once as summary_forSort
in an untokenized way.
13.4.1.7. Embedded and Associated Objects Copier lienLien copié sur presse-papiers!
Associated objects as well as embedded objects can be indexed as part of the root entity index. This is useful if you expect to search a given entity based on properties of associated objects. The aim is to return places where the associated city is Atlanta (In the Lucene query parser language, it would translate into address.city:Atlanta
). The place fields will be indexed in the Place
index. The Place
index documents will also contain the fields address.id
, address.street
, and address.city
which you will be able to query.
Example: Indexing associations
Because the data is denormalized in the Lucene index when using the @IndexedEmbedded
technique, Hibernate Search must be aware of any change in the Place object and any change in the Address object to keep the index up to date. To ensure the Lucene document is updated when it is Address changes, mark the other side of the bidirectional relationship with @ContainedIn
.
@ContainedIn
is useful on both associations pointing to entities and on embedded (collection of) objects.
To expand upon this, the following example demonstrates nesting @IndexedEmbedded
.
Example: Nested usage of @IndexedEmbedded and @ContainedIn
Any @*ToMany
, @*ToOne
and @Embedded
attribute can be annotated with @IndexedEmbedded
. The attributes of the associated class will then be added to the main entity index. The index will contain the following fields:
- id
- name
- address.street
- address.city
- address.ownedBy_name
The default prefix is propertyName.
, following the traditional object navigation convention. You can override it using the prefix
attribute as it is shown on the ownedBy
property.
The prefix cannot be set to the empty string.
The depth
property is necessary when the object graph contains a cyclic dependency of classes (not instances). For example, if Owner points to Place. Hibernate Search will stop including Indexed embedded attributes after reaching the expected depth (or the object graph boundaries are reached). A class having a self reference is an example of cyclic dependency. In our example, because depth
is set to 1, any @IndexedEmbedded
attribute in Owner (if any) will be ignored.
Using @IndexedEmbedded
for object associations allows you to express queries (using Lucene’s query syntax) such as:
Return places where name contains JBoss and where address city is Atlanta. In Lucene query this would be:
+name:jboss +address.city:atlanta
+name:jboss +address.city:atlanta
Copy to Clipboard Copied! Toggle word wrap Toggle overflow Return places where name contains JBoss and where owner’s name contain Joe. In Lucene query this would be
+name:jboss +address.ownedBy_name:joe
+name:jboss +address.ownedBy_name:joe
Copy to Clipboard Copied! Toggle word wrap Toggle overflow
This behavior mimics the relational join operation in a more efficient way (at the cost of data duplication). Remember that, out of the box, Lucene indexes have no notion of association, the join operation does not exist. It might help to keep the relational model normalized while benefiting from the full text index speed and feature richness.
An associated object can itself (but does not have to) be @Indexed
When @IndexedEmbedded
points to an entity, the association has to be directional and the other side has to be annotated @ContainedIn
(as seen in the previous example). If not, Hibernate Search has no way to update the root index when the associated entity is updated (in our example, a Place
index document has to be updated when the associated Address instance is updated).
Sometimes, the object type annotated by @IndexedEmbedded
is not the object type targeted by Hibernate and Hibernate Search. This is especially the case when interfaces are used in lieu of their implementation. For this reason you can override the object type targeted by Hibernate Search using the targetElement
parameter.
Example: Using the targetElement property of @IndexedEmbedded
13.4.1.8. Limiting Object Embedding to Specific Paths Copier lienLien copié sur presse-papiers!
The @IndexedEmbedded annotation provides also an attribute includePaths which can be used as an alternative to depth, or be combined with it.
When using only depth all indexed fields of the embedded type will be added recursively at the same depth. This makes it harder to select only a specific path without adding all other fields as well, which might not be needed.
To avoid unnecessarily loading and indexing entities you can specify exactly which paths are needed. A typical application might need different depths for different paths, or in other words it might need to specify paths explicitly, as shown in the example below:
Example: Using the includePaths property of @IndexedEmbedded
Using a mapping as in the example above, you would be able to search on a Person by name
and/or surname
, and/or the name
of the parent. It will not index the surname
of the parent, so searching on parent’s surnames will not be possible but speeds up indexing, saves space and improve overall performance.
The @IndexedEmbeddedincludePaths will include the specified paths in addition to what you would index normally specifying a limited value for depth. When using includePaths, and leaving depth undefined, behavior is equivalent to setting depth=0: only the included paths are indexed.
Example: Using the includePaths property of @IndexedEmbedded
In the example above, every human will have its name and surname attributes indexed. The name and surname of parents will also be indexed, recursively up to second line because of the depth attribute. It will be possible to search by name or surname, of the person directly, his parents or of his grand parents. Beyond the second level, we will in addition index one more level but only the name, not the surname.
This results in the following fields in the index:
-
id
: as primary key -
_hibernate_class
: stores entity type -
name
: as direct field -
surname
: as direct field -
parents.name
: as embedded field at depth 1 -
parents.surname
: as embedded field at depth 1 -
parents.parents.name
: as embedded field at depth 2 -
parents.parents.surname
: as embedded field at depth 2 -
parents.parents.parents.name
: as additional path as specified by includePaths. The firstparents.
is inferred from the field name, the remaining path is the attribute of includePaths
Having explicit control of the indexed paths might be easier if you are designing your application by defining the needed queries first, as at that point you might know exactly which fields you need, and which other fields are unnecessary to implement your use case.
13.4.2. Boosting Copier lienLien copié sur presse-papiers!
Lucene has the notion of boosting which allows you to give certain documents or fields more or less importance than others. Lucene differentiates between index and search time boosting. The following sections show you how you can achieve index time boosting using Hibernate Search.
13.4.2.1. Static Index Time Boosting Copier lienLien copié sur presse-papiers!
To define a static boost value for an indexed class or property you can use the @Boost
annotation. You can use this annotation within @Field
or specify it directly on method or class level.
Example: Different ways of using @Boost
In the example above, Essay’s probability to reach the top of the search list will be multiplied by 1.7. The summary field will be 3.0 (2 * 1.5, because @Field.boost and @Boost on a property are cumulative) more important than the isbn field. The text field will be 1.2 times more important than the isbn field. Note that this explanation is wrong in strictest terms, but it is simple and close enough to reality for all practical purposes.
13.4.2.2. Dynamic Index Time Boosting Copier lienLien copié sur presse-papiers!
The @Boost
annotation used in Static Index Time Boosting defines a static boost factor which is independent of the state of the indexed entity at runtime. However, there are use cases in which the boost factor may depend on the actual state of the entity. In this case you can use the @DynamicBoost
annotation together with an accompanying custom BoostStrategy.
Example: Dynamic boost example
In the example above, a dynamic boost is defined on class level specifying VIPBoostStrategy as implementation of the BoostStrategy interface to be used at indexing time. You can place the @DynamicBoost
either at class or field level. Depending on the placement of the annotation either the whole entity is passed to the defineBoost method or just the annotated field/property value. It is up to you to cast the passed object to the correct type. In the example all indexed values of a VIP person would be double as important as the values of a normal person.
The specified BoostStrategy implementation must define a public no-arg constructor.
Of course you can mix and match @Boost
and @DynamicBoost
annotations in your entity. All defined boost factors are cumulative.
13.4.3. Analysis Copier lienLien copié sur presse-papiers!
Analysis
is the process of converting text into single terms (words) and can be considered as one of the key features of a full-text search engine. Lucene uses the concept of Analyzers to control this process. In the following section we cover the multiple ways Hibernate Search offers to configure the analyzers.
13.4.3.1. Default Analyzer and Analyzer by Class Copier lienLien copié sur presse-papiers!
The default analyzer class used to index tokenized fields is configurable through the hibernate.search.analyzer
property. The default value for this property is org.apache.lucene.analysis.standard.StandardAnalyzer
.
You can also define the analyzer class per entity, property and even per @Field (useful when multiple fields are indexed from a single property).
Example: Different ways of using @Analyzer
In this example, EntityAnalyzer is used to index tokenized property (name
), except summary
and body
which are indexed with PropertyAnalyzer and FieldAnalyzer respectively.
Mixing different analyzers in the same entity is most of the time a bad practice. It makes query building more complex and results less predictable (for the novice), especially if you are using a QueryParser (which uses the same analyzer for the whole query). As a rule of thumb, for any given field the same analyzer should be used for indexing and querying.
13.4.3.2. Named Analyzers Copier lienLien copié sur presse-papiers!
Analyzers can become quite complex to deal with. For this reason introduces Hibernate Search the notion of analyzer definitions. An analyzer definition can be reused by many @Analyzer declarations and is composed of:
- a name: the unique string used to refer to the definition
- a list of char filters: each char filter is responsible to pre-process input characters before the tokenization. Char filters can add, change, or remove characters; one common usage is for characters normalization
- a tokenizer: responsible for tokenizing the input stream into individual words
- a list of filters: each filter is responsible to remove, modify, or sometimes even add words into the stream provided by the tokenizer
This separation of tasks - a list of char filters, and a tokenizer followed by a list of filters - allows for easy reuse of each individual component and lets you build your customized analyzer in a very flexible way (like Lego). Generally speaking the char filters do some pre-processing in the character input, then the Tokenizer starts the tokenizing process by turning the character input into tokens which are then further processed by the TokenFilters. Hibernate Search supports this infrastructure by utilizing the Solr analyzer framework.
Let us review a concrete example stated below. First a char filter is defined by its factory. In our example, a mapping char filter is used, and will replace characters in the input based on the rules specified in the mapping file. Next a tokenizer is defined. This example uses the standard tokenizer. Last but not least, a list of filters is defined by their factories. In our example, the StopFilter filter is built reading the dedicated words property file. The filter is also expected to ignore case.
Example: @AnalyzerDef and the Solr framework
Filters and char filters are applied in the order they are defined in the @AnalyzerDef annotation. Order matters!
Some tokenizers, token filters or char filters load resources like a configuration or metadata file. This is the case for the stop filter and the synonym filter. If the resource charset is not using the VM default, you can explicitly specify it by adding a resource_charset
parameter.
Example: Use a specific charset to load the property file
Once defined, an analyzer definition can be reused by an @Analyzer declaration as seen in the following example.
Example: Referencing an analyzer by name
Analyzer instances declared by @AnalyzerDef are also available by their name in the SearchFactory which is quite useful when building queries.
Analyzer analyzer = fullTextSession.getSearchFactory().getAnalyzer("customanalyzer");
Analyzer analyzer = fullTextSession.getSearchFactory().getAnalyzer("customanalyzer");
Fields in queries must be analyzed with the same analyzer used to index the field so that they speak a common "language": the same tokens are reused between the query and the indexing process. This rule has some exceptions but is true most of the time. Respect it unless you know what you are doing.
13.4.3.3. Available Analyzers Copier lienLien copié sur presse-papiers!
Solr and Lucene come with many useful default char filters, tokenizers, and filters. You can find a complete list of char filter factories, tokenizer factories and filter factories at http://wiki.apache.org/solr/AnalyzersTokenizersTokenFilters. Let us check a few of them.
Factory | Description | Parameters |
---|---|---|
MappingCharFilterFactory | Replaces one or more characters with one or more characters, based on mappings specified in the resource file |
|
HTMLStripCharFilterFactory | Remove HTML standard tags, keeping the text | none |
Factory | Description | Parameters |
---|---|---|
StandardTokenizerFactory | Use the Lucene StandardTokenizer | none |
HTMLStripCharFilterFactory | Remove HTML tags, keep the text and pass it to a StandardTokenizer. | none |
PatternTokenizerFactory | Breaks text at the specified regular expression pattern. | pattern: the regular expression to use for tokenizing group: says which pattern group to extract into tokens |
Factory | Description | Parameters |
---|---|---|
StandardFilterFactory | Remove dots from acronyms and 's from words | none |
LowerCaseFilterFactory | Lowercases all words | none |
StopFilterFactory | Remove words (tokens) matching a list of stop words | words: points to a resource file containing the stop words ignoreCase: true if case should be ignored when comparing stop words, false otherwise |
SnowballPorterFilterFactory | Reduces a word to its root in a given language. (example: protect, protects, protection share the same root). Using such a filter allows searches matching related words. |
|
We recommend to check all the implementations of org.apache.lucene.analysis.TokenizerFactory
and org.apache.lucene.analysis.TokenFilterFactory
in your IDE to see the implementations available.
13.4.3.4. Dynamic Analyzer Selection Copier lienLien copié sur presse-papiers!
So far all the introduced ways to specify an analyzer were static. However, there are use cases where it is useful to select an analyzer depending on the current state of the entity to be indexed, for example in a multilingual applications. For an BlogEntry class for example the analyzer could depend on the language property of the entry. Depending on this property the correct language specific stemmer should be chosen to index the actual text.
To enable this dynamic analyzer selection Hibernate Search introduces the AnalyzerDiscriminator annotation. Following example demonstrates the usage of this annotation.
Example: Usage of @AnalyzerDiscriminator
The prerequisite for using @AnalyzerDiscriminator
is that all analyzers which are going to be used dynamically are predefined via @AnalyzerDef
definitions. If this is the case, one can place the @AnalyzerDiscriminator
annotation either on the class or on a specific property of the entity for which to dynamically select an analyzer. Via the impl
parameter of the AnalyzerDiscriminator
you specify a concrete implementation of the Discriminator interface. It is up to you to provide an implementation for this interface. The only method you have to implement is getAnalyzerDefinitionName()
which gets called for each field added to the Lucene document. The entity which is getting indexed is also passed to the interface method. The value
parameter is only set if the AnalyzerDiscriminator
is placed on property level instead of class level. In this case the value represents the current value of this property.
An implementation of the Discriminator interface has to return the name of an existing analyzer definition or null if the default analyzer should not be overridden. The example above assumes that the language parameter is either 'de' or 'en' which matches the specified names in the @AnalyzerDefs
.
13.4.3.5. Retrieving an Analyzer Copier lienLien copié sur presse-papiers!
Retrieving an analyzer can be used when multiple analyzers have been used in a domain model, in order to benefit from stemming or phonetic approximation, etc. In this case, use the same analyzers to building a query. Alternatively, use the Hibernate Search query DSL, which selects the correct analyzer automatically. See
Whether you are using the Lucene programmatic API or the Lucene query parser, you can retrieve the scoped analyzer for a given entity. A scoped analyzer is an analyzer which applies the right analyzers depending on the field indexed. Remember, multiple analyzers can be defined on a given entity each one working on an individual field. A scoped analyzer unifies all these analyzers into a context-aware analyzer. While the theory seems a bit complex, using the right analyzer in a query is very easy.
When you use programmatic mapping for a child entity, you can only see the fields defined by the child entity. Fields or methods inherited from a parent entity (annotated with @MappedSuperclass) are not configurable. To configure properties inherited from a parent entity, either override the property in the child entity or create a programmatic mapping for the parent entity. This mimics the usage of annotations where you cannot annotate a field or method of a parent entity unless it is redefined in the child entity.
Example: Using the scoped analyzer when building a full-text query
In the example above, the song title is indexed in two fields: the standard analyzer is used in the field title
and a stemming analyzer is used in the field title_stemmed
. By using the analyzer provided by the search factory, the query uses the appropriate analyzer depending on the field targeted.
You can also retrieve analyzers defined via @AnalyzerDef by their definition name using searchFactory.getAnalyzer(String)
.
13.4.4. Bridges Copier lienLien copié sur presse-papiers!
When discussing the basic mapping for an entity one important fact was so far disregarded. In Lucene all index fields have to be represented as strings. All entity properties annotated with @Field
have to be converted to strings to be indexed. The reason we have not mentioned it so far is, that for most of your properties Hibernate Search does the translation job for you thanks to set of built-in bridges. However, in some cases you need a more fine grained control over the translation process.
13.4.4.1. Built-in Bridges Copier lienLien copié sur presse-papiers!
Hibernate Search comes bundled with a set of built-in bridges between a Java property type and its full text representation.
- null
-
Per default
null
elements are not indexed. Lucene does not support null elements. However, in some situation it can be useful to insert a custom token representing thenull
value. See for more information. - java.lang.String
- Strings are indexed as are short, Short, integer, Integer, long, Long, float, Float, double,
- Double, BigInteger, BigDecimal
Numbers are converted into their string representation. Note that numbers cannot be compared by Lucene (that is, used in ranged queries) out of the box: they have to be padded.
NoteUsing a Range query has drawbacks, an alternative approach is to use a Filter query which will filter the result query to the appropriate range. Hibernate Search also supports the use of a custom StringBridge as described in Custom Bridges.
- java.util.Date
Dates are stored as yyyyMMddHHmmssSSS in GMT time (200611072203012 for Nov 7th of 2006 4:03PM and 12ms EST). You should not really bother with the internal format. What is important is that when using a TermRangeQuery, you should know that the dates have to be expressed in GMT time.
Usually, storing the date up to the millisecond is not necessary.
@DateBridge
defines the appropriate resolution you are willing to store in the index (@DateBridge(resolution=Resolution.DAY)
). The date pattern will then be truncated accordingly.
A Date whose resolution is lower than MILLISECOND
cannot be a @DocumentId
.
The default Date bridge uses Lucene’s DateTools to convert from and to String. This means that all dates are expressed in GMT time. If your requirements are to store dates in a fixed time zone you have to implement a custom date bridge. Make sure you understand the requirements of your applications regarding to date indexing and searching.
- java.net.URI, java.net.URL
- URI and URL are converted to their string representation.
- java.lang.Class
- Class are converted to their fully qualified class name. The thread context class loader is used when the class is rehydrated.
13.4.4.2. Custom Bridges Copier lienLien copié sur presse-papiers!
Sometimes, the built-in bridges of Hibernate Search do not cover some of your property types, or the String representation used by the bridge does not meet your requirements. The following paragraphs describe several solutions to this problem.
13.4.4.2.1. StringBridge Copier lienLien copié sur presse-papiers!
The simplest custom solution is to give Hibernate Search an implementation of your expected Object to String bridge. To do so you need to implement the org.hibernate.search.bridge.StringBridge
interface. All implementations have to be thread-safe as they are used concurrently.
Example: Custom StringBridge implementation
Given the string bridge defined in the previous example, any property or field can use this bridge thanks to the @FieldBridge
annotation:
@FieldBridge(impl = PaddedIntegerBridge.class) private Integer length;
@FieldBridge(impl = PaddedIntegerBridge.class)
private Integer length;
13.4.4.2.2. Parameterized Bridge Copier lienLien copié sur presse-papiers!
Parameters can also be passed to the bridge implementation making it more flexible. Following example implements a ParameterizedBridge interface and parameters are passed through the @FieldBridge
annotation.
Example: Passing parameters to your bridge implementation
The ParameterizedBridge
interface can be implemented by StringBridge
, TwoWayStringBridge
, FieldBridge
implementations.
All implementations have to be thread-safe, but the parameters are set during initialization and no special care is required at this stage.
13.4.4.2.3. Type Aware Bridge Copier lienLien copié sur presse-papiers!
It is sometimes useful to get the type the bridge is applied on:
- the return type of the property for field/getter-level bridges.
- the class type for class-level bridges.
An example is a bridge that deals with enums in a custom fashion but needs to access the actual enum type. Any bridge implementing AppliedOnTypeAwareBridge will get the type the bridge is applied on injected. Like parameters, the type injected needs no particular care with regard to thread-safety.
13.4.4.2.4. Two-Way Bridge Copier lienLien copié sur presse-papiers!
If you expect to use your bridge implementation on an id property (that is, annotated with @DocumentId
), you need to use a slightly extended version of StringBridge
named TwoWayStringBridge. Hibernate Search needs to read the string representation of the identifier and generate the object out of it. There is no difference in the way the @FieldBridge
annotation is used.
Example: Implementing a TwoWayStringBridge usable for id properties
It is important for the two-way process to be idempotent (i.e., object = stringToObject( objectToString( object ) ) ).
13.4.4.2.5. FieldBridge Copier lienLien copié sur presse-papiers!
Some use cases require more than a simple object to string translation when mapping a property to a Lucene index. To give you the greatest possible flexibility you can also implement a bridge as a FieldBridge. This interface gives you a property value and let you map it the way you want in your Lucene Document. You can for example store a property in two different document fields. The interface is very similar in its concept to the Hibernate UserTypes.
Example: Implementing the FieldBridge Interface
In the example above, the fields are not added directly to Document. Instead the addition is delegated to the LuceneOptions helper; this helper will apply the options you have selected on @Field
, like Store
or TermVector
, or apply the chosen @Boost value. It is especially useful to encapsulate the complexity of COMPRESS
implementations. Even though it is recommended to delegate to LuceneOptions to add fields to the Document, nothing stops you from editing the Document directly and ignore the LuceneOptions in case you need to.
Classes like LuceneOptions are created to shield your application from changes in Lucene API and simplify your code. Use them if you can, but if you need more flexibility you are not required to.
13.4.4.2.6. ClassBridge Copier lienLien copié sur presse-papiers!
It is sometimes useful to combine more than one property of a given entity and index this combination in a specific way into the Lucene index. The @ClassBridge
and @ClassBridges
annotations can be defined at the class level, as opposed to the property level. In this case the custom field bridge implementation receives the entity instance as the value parameter instead of a particular property. Though not shown in following example, @ClassBridge
supports the termVector
attribute discussed in section Basic Mapping.
Example: Implementing a class bridge
In this example, the particular CatFieldsClassBridge
is applied to the department
instance, the field bridge then concatenate both branch and network and index the concatenation.
13.5. Querying Copier lienLien copié sur presse-papiers!
Hibernate SearchHibernate Search can execute Lucene queries and retrieve domain objects managed by an InfinispanHibernate session. The search provides the power of Lucene without leaving the Hibernate paradigm, giving another dimension to the Hibernate classic search mechanisms (HQL, Criteria query, native SQL query).
Preparing and executing a query consists of following four steps:
- Creating a FullTextSession
- Creating a Lucene query using either Hibernate QueryHibernate Search query DSL (recommended) or using the Lucene Query API
- Wrapping the Lucene query using an org.hibernate.Query
- Executing the search by calling for example list() or scroll()
To access the querying facilities, use a FullTextSession. This Search specific session wraps a regular org.hibernate.Session in order to provide query and indexing capabilities.
Example: Creating a FullTextSession
Session session = sessionFactory.openSession(); ... FullTextSession fullTextSession = Search.getFullTextSession(session);
Session session = sessionFactory.openSession();
...
FullTextSession fullTextSession = Search.getFullTextSession(session);
Use the FullTextSession to build a full-text query using either the Hibernate SearchHibernate Search query DSL or the native Lucene query.
Use the following code when using the Hibernate SearchHibernate Search query DSL:
As an alternative, write the Lucene query using either the Lucene query parser or the Lucene programmatic API.
Example: Creating a Lucene query via the QueryParser
A Hibernate query built on the Lucene query is a org.hibernate.Query. This query remains in the same paradigm as other Hibernate query facilities, such as HQL (Hibernate Query Language), Native, and Criteria. Use methods such as list(), uniqueResult(), iterate() and scroll() with the query.
The same extensions are available with the Hibernate Java Persistence APIs:
Example: Creating a Search query using the JPA API
In these examples, the Hibernate API has been used. The same examples can also be written with the Java Persistence API by adjusting the way the FullTextQuery
is retrieved.
13.5.1. Building Queries Copier lienLien copié sur presse-papiers!
Hibernate Search queries are built on Lucene queries, allowing users to use any Lucene query type. When the query is built, Hibernate Search uses org.hibernate.Query as the query manipulation API for further query processing.
13.5.1.1. Building a Lucene Query Using the Lucene API Copier lienLien copié sur presse-papiers!
With the Lucene API, use either the query parser (simple queries) or the Lucene programmatic API (complex queries). Building a Lucene query is out of scope for the Hibernate Search documentation. For details, see the online Lucene documentation or a copy of Lucene in Action or Hibernate Search in Action.
13.5.1.2. Building a Lucene Query Copier lienLien copié sur presse-papiers!
The Lucene programmatic API enables full-text queries. However, when using the Lucene programmatic API, the parameters must be converted to their string equivalent and must also apply the correct analyzer to the right field. A ngram analyzer for example uses several ngrams as the tokens for a given word and should be searched as such. It is recommended to use the QueryBuilder for this task.
The Hibernate Search query API is fluent, with the following key characteristics:
- Method names are in English. As a result, API operations can be read and understood as a series of English phrases and instructions.
- It uses IDE autocompletion which helps possible completions for the current input prefix and allows the user to choose the right option.
- It often uses the chaining method pattern.
- It is easy to use and read the API operations.
To use the API, first create a query builder that is attached to a given indexedentitytype
. This QueryBuilder knows what analyzer to use and what field bridge to apply. Several QueryBuilders (one for each entity type involved in the root of your query) can be created. The QueryBuilder is derived from the SearchFactory.
QueryBuilder mythQB = searchFactory.buildQueryBuilder().forEntity( Myth.class ).get();
QueryBuilder mythQB = searchFactory.buildQueryBuilder().forEntity( Myth.class ).get();
The analyzer used for a given field or fields can also be overridden.
QueryBuilder mythQB = searchFactory.buildQueryBuilder() .forEntity( Myth.class ) .overridesForField("history","stem_analyzer_definition") .get();
QueryBuilder mythQB = searchFactory.buildQueryBuilder()
.forEntity( Myth.class )
.overridesForField("history","stem_analyzer_definition")
.get();
The query builder is now used to build Lucene queries. Customized queries generated using Lucene’s query parser or Query objects assembled using the Lucene programmatic API are used with the Hibernate Search DSL.
13.5.1.3. Keyword Queries Copier lienLien copié sur presse-papiers!
The following example shows how to search for a specific word:
Query luceneQuery = mythQB.keyword().onField("history").matching("storm").createQuery();
Query luceneQuery = mythQB.keyword().onField("history").matching("storm").createQuery();
Parameter | Description |
---|---|
keyword() | Use this parameter to find a specific word |
onField() | Use this parameter to specify in which lucene field to search the word |
matching() | use this parameter to specify the match for search string |
createQuery() | creates the Lucene query object |
-
The value "storm" is passed through the
history
FieldBridge. This is useful when numbers or dates are involved. -
The field bridge value is then passed to the analyzer used to index the field
history
. This ensures that the query uses the same term transformation than the indexing (lower case, ngram, stemming and so on). If the analyzing process generates several terms for a given word, a boolean query is used with theSHOULD
logic (roughly anOR
logic).
To search a property that is not of type string.
In plain Lucene, the Date object had to be converted to its string representation (in this case the year)
This conversion works for any object, provided that the FieldBridge has an objectToString method (and all built-in FieldBridge implementations do).
The next example searches a field that uses ngram analyzers. The ngram analyzers index succession of ngrams of words, which helps to avoid user typos. For example, the 3-grams of the word hibernate are hib, ibe, ber, ern, rna, nat, ate.
The matching word "Sisiphus" will be lower-cased and then split into 3-grams: sis, isi, sip, iph, phu, hus. Each of these ngram will be part of the query. The user is then able to find the Sysiphus myth (with a y
). All that is transparently done for the user.
If the user does not want a specific field to use the field bridge or the analyzer then the ignoreAnalyzer() or ignoreFieldBridge() functions can be called.
To search for multiple possible words in the same field, add them all in the matching clause.
//search document with storm or lightning in their history Query luceneQuery = mythQB.keyword().onField("history").matching("storm lightning").createQuery();
//search document with storm or lightning in their history
Query luceneQuery =
mythQB.keyword().onField("history").matching("storm lightning").createQuery();
To search the same word on multiple fields, use the onFields method.
Query luceneQuery = mythQB .keyword() .onFields("history","description","name") .matching("storm") .createQuery();
Query luceneQuery = mythQB
.keyword()
.onFields("history","description","name")
.matching("storm")
.createQuery();
Sometimes, one field should be treated differently from another field even if searching the same term, use the andField() method for that.
In the previous example, only field name is boosted to 5.
13.5.1.4. Fuzzy Queries Copier lienLien copié sur presse-papiers!
To execute a fuzzy query (based on the Levenshtein distance algorithm), start with a keyword
query and add the fuzzy
flag.
The threshold
is the limit above which two terms are considering matching. It is a decimal between 0 and 1 and the default value is 0.5. The prefixLength
is the length of the prefix ignored by the "fuzzyness". While the default value is 0, a nonzero value is recommended for indexes containing a huge number of distinct terms.
13.5.1.5. Wildcard Queries Copier lienLien copié sur presse-papiers!
Wildcard queries are useful in circumstances where only part of the word is known. The ?
represents a single character and * represents multiple characters. Note that for performance purposes, it is recommended that the query does not start with either ?
or *.
Wildcard queries do not apply the analyzer on the matching terms. The risk of *
or ?
being mangled is too high.
13.5.1.6. Phrase Queries Copier lienLien copié sur presse-papiers!
So far we have been looking for words or sets of words, the user can also search exact or approximate sentences. Use phrase() to do so.
Query luceneQuery = mythQB .phrase() .onField("history") .sentence("Thou shalt not kill") .createQuery();
Query luceneQuery = mythQB
.phrase()
.onField("history")
.sentence("Thou shalt not kill")
.createQuery();
Approximate sentences can be searched by adding a slop factor. The slop factor represents the number of other words permitted in the sentence: this works like a within or near operator.
13.5.1.7. Range Queries Copier lienLien copié sur presse-papiers!
A range query searches for a value in between given boundaries (included or not) or for a value below or above a given boundary (included or not).
13.5.1.8. Combining Queries Copier lienLien copié sur presse-papiers!
Queries can be aggregated (combined) to create more complex queries. The following aggregation operators are available:
-
SHOULD
: the query should contain the matching elements of the subquery. -
MUST
: the query must contain the matching elements of the subquery. -
MUST NOT
: the query must not contain the matching elements of the subquery.
The subqueries can be any Lucene query including a boolean query itself.
Example: SHOULD Query
Example: MUST Query
Example: MUST NOT Query
13.5.1.9. Query Options Copier lienLien copié sur presse-papiers!
The Hibernate Search query DSL is an easy to use and easy to read query API. In accepting and producing Lucene queries, you can incorporate query types not yet supported by the DSL.
The following is a summary of query options for query types and fields:
- boostedTo (on query type and on field) boosts the whole query or the specific field to a given factor.
- withConstantScore (on query) returns all results that match the query have a constant score equals to the boost.
- filteredBy(Filter)(on query) filters query results using the Filter instance.
- ignoreAnalyzer (on field) ignores the analyzer when processing this field.
- ignoreFieldBridge (on field) ignores field bridge when processing this field.
Example: Combination of Query Options
13.5.1.10. Build a Hibernate Search Query Copier lienLien copié sur presse-papiers!
13.5.1.10.1. Generality Copier lienLien copié sur presse-papiers!
After building the Lucene query, wrap it within a Hibernate query. The query searches all indexed entities and returns all types of indexed classes unless explicitly configured not to do so.
Example: Wrapping a Lucene Query in a Hibernate Query
FullTextSession fullTextSession = Search.getFullTextSession( session ); org.hibernate.Query fullTextQuery = fullTextSession.createFullTextQuery( luceneQuery );
FullTextSession fullTextSession = Search.getFullTextSession( session );
org.hibernate.Query fullTextQuery = fullTextSession.createFullTextQuery( luceneQuery );
For improved performance, restrict the returned types as follows:
Example: Filtering the Search Result by Entity Type
The first part of the second example only returns the matching Customers. The second part of the same example returns matching Actors and Items. The type restriction is polymorphic. As a result, if the two subclasses Salesman and Customer of the base class Person return, specify Person.class to filter based on result types.
13.5.1.10.2. Pagination Copier lienLien copié sur presse-papiers!
To avoid performance degradation, it is recommended to restrict the number of returned objects per query. A user navigating from one page to another page is a very common use case. The way to define pagination is similar to defining pagination in a plain HQL or Criteria query.
Example: Defining pagination for a search query
org.hibernate.Query fullTextQuery = fullTextSession.createFullTextQuery( luceneQuery, Customer.class ); fullTextQuery.setFirstResult(15); //start from the 15th element fullTextQuery.setMaxResults(10); //return 10 elements
org.hibernate.Query fullTextQuery =
fullTextSession.createFullTextQuery( luceneQuery, Customer.class );
fullTextQuery.setFirstResult(15); //start from the 15th element
fullTextQuery.setMaxResults(10); //return 10 elements
It is still possible to get the total number of matching elements regardless of the pagination via fulltextQuery.getResultSize()
.
13.5.1.10.3. Sorting Copier lienLien copié sur presse-papiers!
Apache Lucene contains a flexible and powerful result sorting mechanism. The default sorting is by relevance and is appropriate for a large variety of use cases. The sorting mechanism can be changed to sort by other properties using the Lucene Sort object to apply a Lucene sorting strategy.
Example: Specifying a Lucene Sort
org.hibernate.search.FullTextQuery query = s.createFullTextQuery( query, Book.class ); org.apache.lucene.search.Sort sort = new Sort( new SortField("title", SortField.STRING)); List results = query.list();
org.hibernate.search.FullTextQuery query = s.createFullTextQuery( query, Book.class );
org.apache.lucene.search.Sort sort = new Sort(
new SortField("title", SortField.STRING));
List results = query.list();
Fields used for sorting must not be tokenized. For more information about tokenizing, see @Field.
13.5.1.10.4. Fetching Strategy Copier lienLien copié sur presse-papiers!
Hibernate SearchHibernate Search loads objects using a single query if the return types are restricted to one class. Hibernate SearchHibernate Search is restricted by the static fetching strategy defined in the domain model. It is useful to refine the fetching strategy for a specific use case as follows:
Example: Specifying FetchMode on a query
Criteria criteria = s.createCriteria( Book.class ).setFetchMode( "authors", FetchMode.JOIN ); s.createFullTextQuery( luceneQuery ).setCriteriaQuery( criteria );
Criteria criteria =
s.createCriteria( Book.class ).setFetchMode( "authors", FetchMode.JOIN );
s.createFullTextQuery( luceneQuery ).setCriteriaQuery( criteria );
In this example, the query will return all Books matching the LuceneQuery. The authors collection will be loaded from the same query using an SQL outer join.
In a criteria query definition, the type is guessed based on the provided criteria query. As a result, it is not necessary to restrict the return entity types.
The fetch mode is the only adjustable property. Do not use a restriction (a where clause) on the Criteria query because the getResultSize() throws a SearchException if used in conjunction with a Criteria with restriction.
If more than one entity is expected, do not use setCriteriaQuery
.
13.5.1.10.5. Projection Copier lienLien copié sur presse-papiers!
In some cases, only a small subset of the properties is required. Use Hibernate Search to return a subset of properties as follows:
Hibernate Search extracts properties from the Lucene index and converts them to their object representation and returns a list of Object[]. Projections prevent a time consuming database round-trip. However, they have following constraints:
-
The properties projected must be stored in the index (
@Field(store=Store.YES)
), which increases the index size. The properties projected must use a
FieldBridge
implementing org.hibernate.search.bridge.TwoWayFieldBridge ororg.hibernate.search.bridge.TwoWayStringBridge
, the latter being the simpler version.NoteAll Hibernate Search built-in types are two-way.
- Only the simple properties of the indexed entity or its embedded associations can be projected. Therefore a whole embedded entity cannot be projected.
- Projection does not work on collections or maps which are indexed via @IndexedEmbedded
Lucene provides metadata information about query results. Use projection constants to retrieve the metadata.
Example: Using Projection to Retrieve Metadata
Fields can be mixed with the following projection constants:
- FullTextQuery.THIS: returns the initialized and managed entity (as a non projected query would have done).
- FullTextQuery.DOCUMENT: returns the Lucene Document related to the object projected.
- FullTextQuery.OBJECT_CLASS: returns the class of the indexed entity.
- FullTextQuery.SCORE: returns the document score in the query. Scores are handy to compare one result against an other for a given query but are useless when comparing the result of different queries.
- FullTextQuery.ID: the ID property value of the projected object.
- FullTextQuery.DOCUMENT_ID: the Lucene document ID. Be careful in using this value as a Lucene document ID can change over time between two different IndexReader opening.
- FullTextQuery.EXPLANATION: returns the Lucene Explanation object for the matching object/document in the given query. This is not suitable for retrieving large amounts of data. Running explanation typically is as costly as running the whole Lucene query per matching element. As a result, projection is recommended.
13.5.1.10.6. Customizing Object Initialization Strategies Copier lienLien copié sur presse-papiers!
By default, Hibernate Search uses the most appropriate strategy to initialize entities matching the full text query. It executes one (or several) queries to retrieve the required entities. This approach minimizes database trips where few of the retrieved entities are present in the persistence context (the session) or the second level cache.
If entities are present in the second level cache, force Hibernate Search to look into the cache before retrieving a database object.
Example: Check the second-level cache before using a query
FullTextQuery query = session.createFullTextQuery(luceneQuery, User.class); query.initializeObjectWith( ObjectLookupMethod.SECOND_LEVEL_CACHE, DatabaseRetrievalMethod.QUERY );
FullTextQuery query = session.createFullTextQuery(luceneQuery, User.class);
query.initializeObjectWith(
ObjectLookupMethod.SECOND_LEVEL_CACHE,
DatabaseRetrievalMethod.QUERY
);
ObjectLookupMethod
defines the strategy to check if an object is easily accessible (without fetching it from the database). Other options are:
-
ObjectLookupMethod.PERSISTENCE_CONTEXT
is used if many matching entities are already loaded into the persistence context (loaded in the Session or EntityManager). -
ObjectLookupMethod.SECOND_LEVEL_CACHE
checks the persistence context and then the second-level cache.
Set the following to search in the second-level cache:
- Correctly configure and activate the second-level cache.
- Enable the second-level cache for the relevant entity. This is done using annotations such as @Cacheable.
-
Enable second-level cache read access for either Session, EntityManager or Query. Use
CacheMode.NORMAL
in Hibernate native APIs orCacheRetrieveMode.USE
in Java Persistence APIs.
Unless the second-level cache implementation is EHCache or Infinispan, do not use ObjectLookupMethod.SECOND_LEVEL_CACHE. Other second-level cache providers do not implement this operation efficiently.
Customize how objects are loaded from the database using DatabaseRetrievalMethod
as follows:
- QUERY (default) uses a set of queries to load several objects in each batch. This approach is recommended.
-
FIND_BY_ID loads one object at a time using the
Session.get
orEntityManager.find
semantic. This is recommended if the batch size is set for the entity, which allows Hibernate Core to load entities in batches.
13.5.1.10.7. Limiting the Time of a Query Copier lienLien copié sur presse-papiers!
Limit the time a query takes in Hibernate Guide as follows:
- Raise an exception when arriving at the limit.
- Limit to the number of results retrieved when the time limit is raised.
13.5.1.10.8. Raise an Exception on Time Limit Copier lienLien copié sur presse-papiers!
If a query uses more than the defined amount of time, a QueryTimeoutException is raised (org.hibernate.QueryTimeoutException or javax.persistence.QueryTimeoutException depending on the programmatic API).
To define the limit when using the native Hibernate APIs, use one of the following approaches:
Example: Defining a Timeout in Query Execution
The getResultSize(), iterate() and scroll() honor the timeout until the end of the method call. As a result, Iterable or the ScrollableResults ignore the timeout. Additionally, explain() does not honor this timeout period. This method is used for debugging and to check the reasons for slow performance of a query.
The following is the standard way to limit execution time using the Java Persistence API (JPA):
Example: Defining a Timeout in Query Execution
The example code does not guarantee that the query stops at the specified results amount.
13.5.2. Retrieving the Results Copier lienLien copié sur presse-papiers!
After building the Hibernate query, it is executed the same way as a HQL or Criteria query. The same paradigm and object semantic apply to a Lucene Query query and the common operations like: list()
, uniqueResult()
, iterate()
, scroll()
are available.
13.5.2.1. Performance Considerations Copier lienLien copié sur presse-papiers!
If you expect a reasonable number of results (for example using pagination) and expect to work on all of them, list()
or uniqueResult()
are recommended. list()
work best if the entity batch-size
is set up properly. Note that Hibernate Search has to process all Lucene Hits elements (within the pagination) when using list()
, uniqueResult()
and iterate()
.
If you wish to minimize Lucene document loading, scroll()
is more appropriate. Do not forget to close the ScrollableResults object when you are done, since it keeps Lucene resources. If you expect to use scroll, but wish to load objects in batch, you can use query.setFetchSize()
. When an object is accessed, and if not already loaded, Hibernate Search will load the next fetchSize
objects in one pass.
Pagination is preferred over scrolling.
13.5.2.2. Result Size Copier lienLien copié sur presse-papiers!
It is sometimes useful to know the total number of matching documents:
- to provide a total search results feature, as provided by Google searches. For example, "1-10 of about 888,000,000 results"
- to implement a fast pagination navigation
- to implement a multi-step search engine that adds approximation if the restricted query returns zero or not enough results
Of course it would be too costly to retrieve all the matching documents. Hibernate Search allows you to retrieve the total number of matching documents regardless of the pagination parameters. Even more interesting, you can retrieve the number of matching elements without triggering a single object load.
Example: Determining the Result Size of a Query
Like Google, the number of results is approximation if the index is not fully up-to-date with the database (asynchronous cluster for example).
13.5.2.3. ResultTransformer Copier lienLien copié sur presse-papiers!
Projection results are returned as Object arrays. If the data structure used for the object does not match the requirements of the application, apply a ResultTransformer. The ResultTransformer builds the required data structure after the query execution.
Projection results are returned as Object arrays. If the data structure used for the object does not match the requirements of the application, apply a ResultTransformer. The ResultTransformer builds the required data structure after the query execution.
Exampl: Using ResultTransformer with Projections
Examples of ResultTransformer
implementations can be found in the Hibernate Core codebase.
13.5.2.4. Understanding Results Copier lienLien copié sur presse-papiers!
If the results of a query are not what you expected, the Luke
tool is useful in understanding the outcome. However, Hibernate Search also gives you access to the Lucene Explanation object for a given result (in a given query). This class is considered fairly advanced to Lucene users but can provide a good understanding of the scoring of an object. You have two ways to access the Explanation object for a given result:
-
Use the
fullTextQuery.explain(int)
method - Use projection
The first approach takes a document ID as a parameter and return the Explanation object. The document ID can be retrieved using projection and the FullTextQuery.DOCUMENT_ID
constant.
The Document ID is unrelated to the entity ID. Be careful not to confuse these concepts.
In the second approach you project the Explanation object using the FullTextQuery.EXPLANATION
constant.
Example: Retrieving the Lucene Explanation Object Using Projection
Use the Explanation object only when required as it is roughly as expensive as running the Lucene query again.
13.5.2.5. Filters Copier lienLien copié sur presse-papiers!
Apache Lucene has a powerful feature that allows you to filter query results according to a custom filtering process. This is a very powerful way to apply additional data restrictions, especially since filters can be cached and reused. Use cases include:
- security
- temporal data (example, view only last month’s data)
- population filter (example, search limited to a given category)
Hibernate Search pushes the concept further by introducing the notion of parameterizable named filters which are transparently cached. For people familiar with the notion of Hibernate Core filters, the API is very similar:
Example: Enabling Fulltext Filters for a Query
fullTextQuery = s.createFullTextQuery( query, Driver.class ); fullTextQuery.enableFullTextFilter("bestDriver"); fullTextQuery.enableFullTextFilter("security").setParameter( "login", "andre" ); fullTextQuery.list(); //returns only best drivers where andre has credentials
fullTextQuery = s.createFullTextQuery( query, Driver.class );
fullTextQuery.enableFullTextFilter("bestDriver");
fullTextQuery.enableFullTextFilter("security").setParameter( "login", "andre" );
fullTextQuery.list(); //returns only best drivers where andre has credentials
In this example we enabled two filters on top of the query. You can enable (or disable) as many filters as you like.
Declaring filters is done through the @FullTextFilterDef annotation. This annotation can be on any @Indexed
entity regardless of the query the filter is later applied to. This implies that filter definitions are global and their names must be unique. A SearchException is thrown in case two different @FullTextFilterDef annotations with the same name are defined. Each named filter has to specify its actual filter implementation.
Example: Defining and Implementing a Filter
@FullTextFilterDefs( { @FullTextFilterDef(name = "bestDriver", impl = BestDriversFilter.class), @FullTextFilterDef(name = "security", impl = SecurityFilterFactory.class) }) public class Driver { ... }
@FullTextFilterDefs( {
@FullTextFilterDef(name = "bestDriver", impl = BestDriversFilter.class),
@FullTextFilterDef(name = "security", impl = SecurityFilterFactory.class)
})
public class Driver { ... }
BestDriversFilter is an example of a simple Lucene filter which reduces the result set to drivers whose score is 5. In this example the specified filter implements the org.apache.lucene.search.Filter
directly and contains a no-arg constructor.
If your Filter creation requires additional steps or if the filter you want to use does not have a no-arg constructor, you can use the factory pattern:
Example: Creating a filter using the factory pattern
Hibernate Search will look for a @Factory
annotated method and use it to build the filter instance. The factory must have a no-arg constructor.
Infinispan Query uses a @Factory annotated method to build the filter instance. The factory must have a no argument constructor.
Named filters come in handy where parameters have to be passed to the filter. For example a security filter might want to know which security level you want to apply:
Example: Passing parameters to a defined filter
fullTextQuery = s.createFullTextQuery( query, Driver.class ); fullTextQuery.enableFullTextFilter("security").setParameter( "level", 5 );
fullTextQuery = s.createFullTextQuery( query, Driver.class );
fullTextQuery.enableFullTextFilter("security").setParameter( "level", 5 );
Each parameter name should have an associated setter on either the filter or filter factory of the targeted named filter definition. ] Example: Using parameters in the actual filter implementation
Note the method annotated @Key returns a FilterKey object. The returned object has a special contract: the key object must implement equals() / hashCode() so that two keys are equal if and only if the given Filter types are the same and the set of parameters are the same. In other words, two filter keys are equal if and only if the filters from which the keys are generated can be interchanged. The key object is used as a key in the cache mechanism.
@Key methods are needed only if:
- the filter caching system is enabled (enabled by default)
- the filter has parameters
In most cases, using the StandardFilterKey
implementation will be good enough. It delegates the equals() / hashCode() implementation to each of the parameters equals and hashcode methods.
As mentioned before the defined filters are per default cached and the cache uses a combination of hard and soft references to allow disposal of memory when needed. The hard reference cache keeps track of the most recently used filters and transforms the ones least used to SoftReferences when needed. Once the limit of the hard reference cache is reached additional filters are cached as SoftReferences. To adjust the size of the hard reference cache, use hibernate.search.filter.cache_strategy.size
(defaults to 128). For advanced use of filter caching, implement your own FilterCachingStrategy. The classname is defined by hibernate.search.filter.cache_strategy
.
This filter caching mechanism should not be confused with caching the actual filter results. In Lucene it is common practice to wrap filters using the IndexReader around a CachingWrapperFilter. The wrapper will cache the DocIdSet returned from the getDocIdSet(IndexReader reader) method to avoid expensive recomputation. It is important to mention that the computed DocIdSet is only cachable for the same IndexReader instance, because the reader effectively represents the state of the index at the moment it was opened. The document list cannot change within an opened IndexReader. A different/new IndexReader instance, however, works potentially on a different set of Documents (either from a different index or simply because the index has changed), hence the cached DocIdSet has to be recomputed.
Hibernate Search also helps with this aspect of caching. Per default the cache
flag of @FullTextFilterDef is set to FilterCacheModeType.INSTANCE_AND_DOCIDSETRESULTS
which will automatically cache the filter instance as well as wrap the specified filter around a Hibernate specific implementation of CachingWrapperFilter. In contrast to Lucene’s version of this class SoftReferences are used together with a hard reference count (see discussion about filter cache). The hard reference count can be adjusted using hibernate.search.filter.cache_docidresults.size
(defaults to 5). The wrapping behaviour can be controlled using the @FullTextFilterDef.cache
parameter. There are three different values for this parameter:
Value | Definition |
---|---|
FilterCacheModeType.NONE | No filter instance and no result is cached by Hibernate Search. For every filter call, a new filter instance is created. This setting might be useful for rapidly changing data sets or heavily memory constrained environments. |
FilterCacheModeType.INSTANCE_ONLY | The filter instance is cached and reused across concurrent Filter.getDocIdSet() calls. DocIdSet results are not cached. This setting is useful when a filter uses its own specific caching mechanism or the filter results change dynamically due to application specific events making DocIdSet caching in both cases unnecessary. |
FilterCacheModeType.INSTANCE_AND_DOCIDSETRESULTS | Both the filter instance and the DocIdSet results are cached. This is the default value. |
Last but not least - why should filters be cached? There are two areas where filter caching shines:
Filters should be cached in the following situations:
- the system does not update the targeted entity index often (in other words, the IndexReader is reused a lot)
- the Filter’s DocIdSet is expensive to compute (compared to the time spent to execute the query)
13.5.2.6. Using Filters in a Sharded Environment Copier lienLien copié sur presse-papiers!
In a sharded environment it is possible to execute queries on a subset of the available shards. This can be done in two steps:
Query a Subset of Index Shards
- Create a sharding strategy that does select a subset of IndexManagers depending on a filter configuration.
- Activate the filter at query time.
Example: Query a Subset of Index Shards
In this example the query is run against a specific customer shard if the customer
filter is activated.
In this example, if the filter named customer
is present, only the shard dedicated to this customer is queried, otherwise, all shards are returned. A given Sharding strategy can react to one or more filters and depends on their parameters.
The second step is to activate the filter at query time. While the filter can be a regular filter (as defined in ) which also filters Lucene results after the query, you can make use of a special filter that will only be passed to the sharding strategy (and is otherwise ignored).
To use this feature, specify the ShardSensitiveOnlyFilter class when declaring your filter.
Note that by using the ShardSensitiveOnlyFilter, you do not have to implement any Lucene filter. Using filters and sharding strategy reacting to these filters is recommended to speed up queries in a sharded environment.
13.5.3. Faceting Copier lienLien copié sur presse-papiers!
Faceted search is a technique which allows the results of a query to be divided into multiple categories. This categorization includes the calculation of hit counts for each category and the ability to further restrict search results based on these facets (categories). The example below shows a faceting example. The search results in fifteen hits which are displayed on the main part of the page. The navigation bar on the left, however, shows the category Computers & Internet with its subcategories Programming, Computer Science, Databases, Software, Web Development, Networking and Home Computing. For each of these subcategories the number of books is shown matching the main search criteria and belonging to the respective subcategory. This division of the category Computers & Internet is one concrete search facet. Another one is for example the average customer review.
Faceted search divides the results of a query into categories. The categorization includes the calculation of hit counts for each category and the further restricts search results based on these facets (categories). The following example displays a faceting search results in fifteen hits displayed on the main page.
The left side navigation bar diplays the categories and subcategories. For each of these subcategories the number of books matches the main search criteria and belongs to the respective subcategory. This division of the category Computers & Internet is one concrete search facet. Another example is the average customer review.
Example: Search for Hibernate Search on Amazon
In Hibernate Search, the classes QueryBuilder and FullTextQuery are the entry point into the faceting API. The former creates faceting requests and the latter accesses the FacetManager. The FacetManager applies faceting requests on a query and selects facets that are added to an existing query to refine search results. The examples use the entity Cd as shown in the example below:
Example: Entity Cd
Prior to Hibernate Search 5.2, there was no need to explicitly use a @Facet annotation. In Hibernate Search 5.2 it became necessary in order to use Lucene’s native faceting API.
13.5.3.1. Creating a Faceting Request Copier lienLien copié sur presse-papiers!
The first step towards a faceted search is to create the FacetingRequest. Currently two types of faceting requests are supported. The first type is called discrete faceting and the second type range faceting request. In the case of a discrete faceting request you specify on which index field you want to facet (categorize) and which faceting options to apply. An example for a discrete faceting request can be seen in the following example:
Example: Creating a discrete faceting request
When executing this faceting request a Facet instance will be created for each discrete value for the indexed field label
. The Facet instance will record the actual field value including how often this particular field value occurs within the original query results. orderedBy, includeZeroCounts and maxFacetCount are optional parameters which can be applied on any faceting request. orderedBy allows to specify in which order the created facets will be returned. The default is FacetSortOrder.COUNT_DESC
, but you can also sort on the field value or the order in which ranges were specified. includeZeroCount determines whether facets with a count of 0 will be included in the result (per default they are) and maxFacetCount allows to limit the maximum amount of facets returned.
At the moment there are several preconditions an indexed field has to meet in order to apply faceting on it. The indexed property must be of type String, Date or a subtype of Number and null
values should be avoided. Furthermore the property has to be indexed with Analyze.NO
and in case of a numeric property @NumericField needs to be specified.
The creation of a range faceting request is quite similar except that we have to specify ranges for the field values we are faceting on. A range faceting request can be seen below where three different price ranges are specified. The below
and above
can only be specified once, but you can specify as many from
- to
ranges as you want. For each range boundary you can also specify via excludeLimit whether it is included into the range or not.
Example: Creating a range faceting request
13.5.3.2. Applying a Faceting Request Copier lienLien copié sur presse-papiers!
A faceting request is applied to a query via the FacetManager class which can be retrieved via the FullTextQuery class.
You can enable as many faceting requests as you like and retrieve them afterwards via getFacets() specifying the faceting request name. There is also a disableFaceting() method which allows you to disable a faceting request by specifying its name.
A faceting request can be applied on a query using the FacetManager, which can be retrieved via the FullTextQuery.
Example: Applying a faceting request
Multiple faceting requests can be retrieved using getFacets() and specifying the faceting request name.
The disableFaceting() method disables a faceting request by specifying its name.
13.5.3.3. Restricting Query Results Copier lienLien copié sur presse-papiers!
Last but not least, you can apply any of the returned Facets as additional criteria on your original query in order to implement a "drill-down" functionality. For this purpose FacetSelection can be utilized. FacetSelections are available via the FacetManager and allow you to select a facet as query criteria (selectFacets), remove a facet restriction (deselectFacets), remove all facet restrictions (clearSelectedFacets) and retrieve all currently selected facets (getSelectedFacets). The following snippet shows an example.
13.5.4. Optimizing the Query Process Copier lienLien copié sur presse-papiers!
Query performance depends on several criteria:
- The Lucene query.
- The number of objects loaded: use pagination (always) or index projection (if needed).
- The way Hibernate Search interacts with the Lucene readers: defines the appropriate reader strategy.
- Caching frequently extracted values from the index: see Caching Index Values: FieldCache
13.5.4.1. Caching Index Values: FieldCache Copier lienLien copié sur presse-papiers!
The primary function of a Lucene index is to identify matches to your queries. After the query is performed the results must be analyzed to extract useful information. Hibernate Search would typically need to extract the Class type and the primary key.
Extracting the needed values from the index has a performance cost, which in some cases might be very low and not noticeable, but in some other cases might be a good candidate for caching.
The requirements depend on the kind of Projections being used, as in some cases the Class type is not needed as it can be inferred from the query context or other means.
Using the @CacheFromIndex annotation you can experiment with different kinds of caching of the main metadata fields required by Hibernate Search:
It is possible to cache Class types and IDs using this annotation:
CLASS
: Hibernate Search will use a Lucene FieldCache to improve performance of the Class type extraction from the index.This value is enabled by default, and is what Hibernate Search will apply if you do not specify the @CacheFromIndex annotation.
-
ID
: Extracting the primary identifier will use a cache. This is likely providing the best performing queries, but will consume much more memory which in turn might reduce performance.
Measure the performance and memory consumption impact after warmup (executing some queries). Performance may improve by enabling Field Caches but this is not always the case.
Using a FieldCache has two downsides to consider:
- Memory usage: these caches can be quite memory hungry. Typically the CLASS cache has lower requirements than the ID cache.
- Index warmup: when using field caches, the first query on a new index or segment will be slower than when you do not have caching enabled.
With some queries the classtype will not be needed at all, in that case even if you enabled the CLASS
field cache, this might not be used; for example if you are targeting a single class, obviously all returned values will be of that type (this is evaluated at each Query execution).
For the ID FieldCache to be used, the ids of targeted entities must be using a TwoWayFieldBridge (as all builting bridges), and all types being loaded in a specific query must use the fieldname for the id, and have ids of the same type (this is evaluated at each Query execution).
13.6. Manual Index Changes Copier lienLien copié sur presse-papiers!
As Hibernate Core applies changes to the database, Hibernate Search detects these changes and will update the index automatically (unless the EventListeners are disabled). Sometimes changes are made to the database without using Hibernate, as when backup is restored or your data is otherwise affected. In these cases Hibernate Search exposes the Manual Index APIs to explicitly update or remove a single entity from the index, rebuild the index for the whole database, or remove all references to a specific type.
All these methods affect the Lucene Index only, no changes are applied to the database.
13.6.1. Adding Instances to the Index Copier lienLien copié sur presse-papiers!
Using FullTextSession.index(T entity) you can directly add or update a specific object instance to the index. If this entity was already indexed, then the index will be updated. Changes to the index are only applied at transaction commit.
Directly add an object or instance to the index using FullTextSession.index(T entity). The index is updated when the entity is indexed. Infinispan Query applies changes to the index during the transaction commit.
Example: Indexing an entity via FullTextSession.index(T entity)
FullTextSession fullTextSession = Search.getFullTextSession(session); Transaction tx = fullTextSession.beginTransaction(); Object customer = fullTextSession.load( Customer.class, 8 ); fullTextSession.index(customer); tx.commit(); //index only updated at commit time
FullTextSession fullTextSession = Search.getFullTextSession(session);
Transaction tx = fullTextSession.beginTransaction();
Object customer = fullTextSession.load( Customer.class, 8 );
fullTextSession.index(customer);
tx.commit(); //index only updated at commit time
In case you want to add all instances for a type, or for all indexed types, the recommended approach is to use a MassIndexer: see for more details.
Use a MassIndexer to add all instances for a type (or for all indexed types). See Using a MassIndexer for more information.
13.6.2. Deleting Instances from the Index Copier lienLien copié sur presse-papiers!
It is equally possible to remove an entity or all entities of a given type from a Lucene index without the need to physically remove them from the database. This operation is named purging and is also done through the FullTextSession
.
The purging operation permits the removal of a single entity or all entities of a given type from a Lucene index without physically removing them from the database. This operation is performed using the FullTextSession.
Example: Purging a specific instance of an entity from the index
It is recommended to optimize the index after such an operation.
Methods index, purge, and purgeAll are available on FullTextEntityManager as well.
All manual indexing methods (index, purge, and purgeAll) only affect the index, not the database, nevertheless they are transactional and as such they will not be applied until the transaction is successfully committed, or you make use of flushToIndexes.
13.6.3. Rebuilding the Index Copier lienLien copié sur presse-papiers!
If you change the entity mapping to the index, chances are that the whole Index needs to be updated; For example if you decide to index an existing field using a different analyzer you’ll need to rebuild the index for affected types. Also if the Database is replaced (like restored from a backup, imported from a legacy system) you’ll want to be able to rebuild the index from existing data. Hibernate Search provides two main strategies to choose from:
Changing the entity mapping in the indexer may require the entire index to be updated. For example, if an existing field is to be indexed using a different analyzer, the index will need to be rebuilt for affected types.
Additionally, if the database is replaced by restoring from a backup or being imported from a legacy system, the index will need to be rebuilt from existing data. Infinispan Query provides two main strategies:
-
Using
FullTextSession.flushToIndexes()
periodically, while usingFullTextSession.index()
on all entities. -
Use a
MassIndexer
.
13.6.3.1. Using flushToIndexes() Copier lienLien copié sur presse-papiers!
This strategy consists of removing the existing index and then adding all entities back to the index using FullTextSession.purgeAll()
and FullTextSession.index()
, however there are some memory and efficiency constraints. For maximum efficiency Hibernate Search batches index operations and executes them at commit time. If you expect to index a lot of data you need to be careful about memory consumption since all documents are kept in a queue until the transaction commit. You can potentially face an OutOfMemoryException
if you do not empty the queue periodically; to do this use fullTextSession.flushToIndexes()
. Every time fullTextSession.flushToIndexes()
is called (or if the transaction is committed), the batch queue is processed, applying all index changes. Be aware that, once flushed, the changes cannot be rolled back.
Example: Index rebuilding using index() and flushToIndexes()
hibernate.search.default.worker.batch_size
has been deprecated in favor of this explicit API which provides better control
Try to use a batch size that guarantees that your application will not be out of memory: with a bigger batch size objects are fetched faster from database but more memory is needed.
13.6.3.2. Using a MassIndexer Copier lienLien copié sur presse-papiers!
Hibernate Search’s MassIndexer uses several parallel threads to rebuild the index. You can optionally select which entities need to be reloaded or have it reindex all entities. This approach is optimized for best performance but requires to set the application in maintenance mode. Querying the index is not recommended when a MassIndexer is busy.
Example: Rebuild the Index Using a MassIndexer
fullTextSession.createIndexer().startAndWait();
fullTextSession.createIndexer().startAndWait();
This will rebuild the index, deleting it and then reloading all entities from the database. Although it is simple to use, some tweaking is recommended to speed up the process.
During the progress of a MassIndexer the content of the index is undefined! If a query is performed while the MassIndexer is working most likely some results will be missing.
Example: Using a Tuned MassIndexer
This will rebuild the index of all User instances (and subtypes), and will create 12 parallel threads to load the User instances using batches of 25 objects per query. These same 12 threads will also need to process indexed embedded relations and custom FieldBridges
or ClassBridges
to output a Lucene document. The threads trigger lazy loading of additional attributes during the conversion process. Because of this, a high number of threads working in parallel is required. The number of threads working on actual index writing is defined by the back-end configuration of each index.
It is recommended to leave cacheMode to CacheMode.IGNORE
(the default), as in most reindexing situations the cache will be a useless additional overhead. It might be useful to enable some other CacheMode
depending on your data as it could increase performance if the main entity is relating to enum-like data included in the index.
The ideal of number of threads to achieve best performance is highly dependent on your overall architecture, database design and data values. All internal thread groups have meaningful names so they should be easily identified with most diagnostic tools, including thread dumps.
The MassIndexer is unaware of transactions, therefore there is no need to begin one or commit afterward. Because it is not transactional it is not recommended to let users use the system during its processing, as it is unlikely people will be able to find results and the system load might be too high anyway.
Other parameters which affect indexing time and memory consumption are:
-
hibernate.search.[default|<indexname>].exclusive_index_use
-
hibernate.search.[default|<indexname>].indexwriter.max_buffered_docs
-
hibernate.search.[default|<indexname>].indexwriter.max_merge_docs
-
hibernate.search.[default|<indexname>].indexwriter.merge_factor
-
hibernate.search.[default|<indexname>].indexwriter.merge_min_size
-
hibernate.search.[default|<indexname>].indexwriter.merge_max_size
-
hibernate.search.[default|<indexname>].indexwriter.merge_max_optimize_size
-
hibernate.search.[default|<indexname>].indexwriter.merge_calibrate_by_deletes
-
hibernate.search.[default|<indexname>].indexwriter.ram_buffer_size
-
hibernate.search.[default|<indexname>].indexwriter.term_index_interval
Previous versions also had a max_field_length
but this was removed from Lucene, it is possible to obtain a similar effect by using a LimitTokenCountAnalyzer
.
All .indexwriter
parameters are Lucene specific and Hibernate Search passes these parameters through.
The MassIndexer uses a forward only scrollable result to iterate on the primary keys to be loaded, but MySQL’s JDBC driver will load all values in memory. To avoid this "optimization" set idFetchSize
to Integer.MIN_VALUE
.
13.7. Index Optimization Copier lienLien copié sur presse-papiers!
From time to time, the Lucene index needs to be optimized. The process is essentially a defragmentation. Until an optimization is triggered Lucene only marks deleted documents as such, no physical are applied. During the optimization process the deletions will be applied which also affects the number of files in the Lucene Directory.
Optimizing the Lucene index speeds up searches but has no effect on the indexation (update) performance. During an optimization, searches can be performed, but will most likely be slowed down. All index updates will be stopped. It is recommended to schedule optimization:
Optimizing the Lucene index speeds up searches, but has no effect on the index update performance. Searches can be performed during an optimization process, however they will be slower than expected. All index updates are on hold during the optimization. It is therefore recommended to schedule optimization:
- On an idle system or when searches are least frequent.
- After a large number of index modifications are applied.
MassIndexer (see Using a MassIndexer) optimizes indexes by default at the start and at the end of processing. Use MassIndexer.optimizeAfterPurge
and MassIndexer.optimizeOnFinish
to change this default behavior.
13.7.1. Automatic Optimization Copier lienLien copié sur presse-papiers!
Hibernate Search can automatically optimize an index after either:
Infinispan Query automatically optimizes the index after:
- a certain amount of operations (insertion or deletion).
- a certain amount of transactions.
The configuration for automatic index optimization can be defined either globally or per index:
Example: Defining automatic optimization parameters
hibernate.search.default.optimizer.operation_limit.max = 1000 hibernate.search.default.optimizer.transaction_limit.max = 100 hibernate.search.Animal.optimizer.transaction_limit.max = 50
hibernate.search.default.optimizer.operation_limit.max = 1000
hibernate.search.default.optimizer.transaction_limit.max = 100
hibernate.search.Animal.optimizer.transaction_limit.max = 50
An optimization will be triggered to the Animal
index as soon as either:
-
the number of additions and deletions reaches
1000
. -
the number of transactions reaches
50
(hibernate.search.Animal.optimizer.transaction_limit.max
has priority overhibernate.search.default.optimizer.transaction_limit.max
)
If none of these parameters are defined, no optimization is processed automatically.
The default implementation of OptimizerStrategy can be overridden by implementing org.hibernate.search.store.optimization.OptimizerStrategy
and setting the optimizer.implementation
property to the fully qualified name of your implementation. This implementation must implement the interface, be a public class and have a public constructor taking no arguments.
Example: Loading a custom OptimizerStrategy
hibernate.search.default.optimizer.implementation = com.acme.worlddomination.SmartOptimizer hibernate.search.default.optimizer.SomeOption = CustomConfigurationValue hibernate.search.humans.optimizer.implementation = default
hibernate.search.default.optimizer.implementation = com.acme.worlddomination.SmartOptimizer
hibernate.search.default.optimizer.SomeOption = CustomConfigurationValue
hibernate.search.humans.optimizer.implementation = default
The keyword default
can be used to select the Hibernate Search default implementation; all properties after the .optimizer
key separator will be passed to the implementation’s initialize method at start.
13.7.2. Manual Optimization Copier lienLien copié sur presse-papiers!
You can programmatically optimize (defragment) a Lucene index from Hibernate Search through the SearchFactory:
Example: Programmatic Index Optimization
The first example optimizes the Lucene index holding Orders and the second optimizes all indexes.
searchFactory.optimize()
has no effect on a JMS back end. You must apply the optimize operation on the Master node.
searchFactory.optimize()
is applied to the master node because it does not affect the JMC back end.
13.7.3. Adjusting Optimization Copier lienLien copié sur presse-papiers!
Apache Lucene has a few parameters to influence how optimization is performed. Hibernate Search exposes those parameters.
Further index optimization parameters include:
-
hibernate.search.[default|<indexname>].indexwriter.max_buffered_docs
-
hibernate.search.[default|<indexname>].indexwriter.max_merge_docs
-
hibernate.search.[default|<indexname>].indexwriter.merge_factor
-
hibernate.search.[default|<indexname>].indexwriter.ram_buffer_size
-
hibernate.search.[default|<indexname>].indexwriter.term_index_interval
13.8. Advanced Features Copier lienLien copié sur presse-papiers!
13.8.1. Accessing the SearchFactory Copier lienLien copié sur presse-papiers!
The SearchFactory object keeps track of the underlying Lucene resources for Hibernate Search. It is a convenient way to access Lucene natively. The SearchFactory
can be accessed from a FullTextSession:
Example: Accessing the SearchFactory
FullTextSession fullTextSession = Search.getFullTextSession(regularSession); SearchFactory searchFactory = fullTextSession.getSearchFactory();
FullTextSession fullTextSession = Search.getFullTextSession(regularSession);
SearchFactory searchFactory = fullTextSession.getSearchFactory();
13.8.2. Using an IndexReader Copier lienLien copié sur presse-papiers!
Queries in Lucene are executed on an IndexReader. Hibernate Search might cache index readers to maximize performance, or provide other efficient strategies to retrieve an updated IndexReader minimizing I/O operations. Your code can access these cached resources, but there are several requirements.
Example: Accessing an IndexReader
In this example the SearchFactory determines which indexes are needed to query this entity (considering a Sharding strategy). Using the configured ReaderProvider on each index, it returns a compound IndexReader
on top of all involved indexes. Because this IndexReader is shared amongst several clients, you must adhere to the following rules:
- Never call indexReader.close(), instead use readerProvider.closeReader(reader) when necessary, preferably in a finally block.
- Don not use this IndexReader for modification operations (it is a readonly IndexReader, and any such attempt will result in an exception).
Aside from those rules, you can use the IndexReader freely, especially to do native Lucene queries. Using the shared IndexReaders will make most queries more efficient than by opening one directly from, for example, the filesystem.
As an alternative to the method open(Class… types) you can use open(String… indexNames), allowing you to pass in one or more index names. Using this strategy you can also select a subset of the indexes for any indexed type if sharding is used.
Example: Accessing an IndexReader by index names
IndexReader reader = searchFactory.getIndexReaderAccessor().open("Products.1", "Products.3");
IndexReader reader = searchFactory.getIndexReaderAccessor().open("Products.1", "Products.3");
13.8.3. Accessing a Lucene Directory Copier lienLien copié sur presse-papiers!
A Directory is the most common abstraction used by Lucene to represent the index storage; Hibernate Search does not interact directly with a Lucene Directory but abstracts these interactions via an IndexManager: an index does not necessarily need to be implemented by a Directory.
If you know your index is represented as a Directory and need to access it, you can get a reference to the Directory via the IndexManager. Cast the IndexManager to a DirectoryBasedIndexManager and then use getDirectoryProvider().getDirectory()
to get a reference to the underlying Directory. This is not recommended, we would encourage to use the IndexReader instead.
13.8.4. Sharding Indexes Copier lienLien copié sur presse-papiers!
In some cases it can be useful to split (shard) the indexed data of a given entity into several Lucene indexes.
Sharding should only be implemented if the advantages outweigh the disadvantages. Searching sharded indexes will typically be slower as all shards have to be opened for a single search.
Possible use cases for sharding are:
- A single index is so large that index update times are slowing the application down.
- A typical search will only hit a subset of the index, such as when data is naturally segmented by customer, region or application.
By default sharding is not enabled unless the number of shards is configured. To do this use the hibernate.search.<indexName>.sharding_strategy.nbr_of_shards
property.
Example: Enabling Index Sharding In this example 5 shards are enabled.
hibernate.search.<indexName>.sharding_strategy.nbr_of_shards = 5
hibernate.search.<indexName>.sharding_strategy.nbr_of_shards = 5
Responsible for splitting the data into sub-indexes is the IndexShardingStrategy. The default sharding strategy splits the data according to the hash value of the ID string representation (generated by the FieldBridge). This ensures a fairly balanced sharding. You can replace the default strategy by implementing a custom IndexShardingStrategy. To use your custom strategy you have to set the hibernate.search.<indexName>.sharding_strategy
property.
Example: Specifying a Custom Sharding Strategy
hibernate.search.<indexName>.sharding_strategy = my.shardingstrategy.Implementation
hibernate.search.<indexName>.sharding_strategy = my.shardingstrategy.Implementation
The IndexShardingStrategy property also allows for optimizing searches by selecting which shard to run the query against. By activating a filter a sharding strategy can select a subset of the shards used to answer a query (IndexShardingStrategy.getIndexManagersForQuery) and thus speed up the query execution.
Each shard has an independent IndexManager and so can be configured to use a different directory provider and back-end configuration. The IndexManager index names for the Animal entity in the example below are Animal.0
to Animal.4
. In other words, each shard has the name of its owning index followed by .
(dot) and its index number.
Example: Sharding Configuration for Entity Animal
In the example above, the configuration uses the default id string hashing strategy and shards the Animal index into 5 sub-indexes. All sub-indexes are filesystem instances and the directory where each sub-index is stored is as followed:
-
for sub-index 0:
/usr/lucene/indexes/Animal00
(shared indexBase but overridden indexName) -
for sub-index 1:
/usr/lucene/indexes/Animal.1
(shared indexBase, default indexName) -
for sub-index 2:
/usr/lucene/indexes/Animal.2
(shared indexBase, default indexName) -
for sub-index 3:
/usr/lucene/shared/Animal03
(overridden indexBase, overridden indexName) -
for sub-index 4:
/usr/lucene/indexes/Animal.4
(shared indexBase, default indexName)
When implementing a IndexShardingStrategy any field can be used to determine the sharding selection. Consider that to handle deletions, purge
and purgeAll
operations, the implementation might need to return one or more indexes without being able to read all the field values or the primary identifier. In that case the information is not enough to pick a single index, all indexes should be returned, so that the delete operation will be propagated to all indexes potentially containing the documents to be deleted.
13.8.5. Customizing Lucene’s Scoring Formula Copier lienLien copié sur presse-papiers!
Lucene allows the user to customize its scoring formula by extending org.apache.lucene.search.Similarity. The abstract methods defined in this class match the factors of the following formula calculating the score of query q for document d:
Extend org.apache.lucene.search.Similarity to customize Lucene’s scoring formula. The abstract methods match the formula used to calculate the score of query q
for document d
as follows:
*score(q,d) = coord(q,d) · queryNorm(q) · ∑ ~t in q~ ( tf(t in d) · idf(t) ^2^ · t.getBoost() · norm(t,d) )*
*score(q,d) = coord(q,d) · queryNorm(q) · ∑ ~t in q~ ( tf(t in d) ·
idf(t) ^2^ · t.getBoost() · norm(t,d) )*
Factor | Description |
---|---|
tf(t ind) | Term frequency factor for the term (t) in the document (d). |
idf(t) | Inverse document frequency of the term. |
coord(q,d) | Score factor based on how many of the query terms are found in the specified document. |
queryNorm(q) | Normalizing factor used to make scores between queries comparable. |
t.getBoost() | Field boost. |
norm(t,d) | Encapsulates a few (indexing time) boost and length factors. |
It is beyond the scope of this manual to explain this formula in more detail. Please refer to Similarity’s Javadocs for more information.
Hibernate Search provides three ways to modify Lucene’s similarity calculation.
First you can set the default similarity by specifying the fully specified classname of your Similarity implementation using the property hibernate.search.similarity
. The default value is org.apache.lucene.search.DefaultSimilarity.
You can also override the similarity used for a specific index by setting the similarity
property
hibernate.search.default.similarity = my.custom.Similarity
hibernate.search.default.similarity = my.custom.Similarity
Finally you can override the default similarity on class level using the @Similarity
annotation.
As an example, let us assume it is not important how often a term appears in a document. Documents with a single occurrence of the term should be scored the same as documents with multiple occurrences. In this case your custom implementation of the method tf(float freq) should return 1.0.
When two entities share the same index they must declare the same Similarity implementation. Classes in the same class hierarchy always share the index, so it is not allowed to override the Similarity implementation in a subtype.
Likewise, it does not make sense to define the similarity via the index setting and the class-level setting as they would conflict. Such a configuration will be rejected.
13.8.6. Exception Handling Configuration Copier lienLien copié sur presse-papiers!
Hibernate Search allows you to configure how exceptions are handled during the indexing process. If no configuration is provided then exceptions are logged to the log output by default. It is possible to explicitly declare the exception logging mechanism as follows:
hibernate.search.error_handler = log
hibernate.search.error_handler = log
The default exception handling occurs for both synchronous and asynchronous indexing. Hibernate Search provides an easy mechanism to override the default error handling implementation.
In order to provide your own implementation you must implement the ErrorHandler interface, which provides the handle(ErrorContext context)
method. ErrorContext
provides a reference to the primary LuceneWork
instance, the underlying exception and any subsequent LuceneWork
instances that could not be processed due to the primary exception.
To register this error handler with Hibernate Search you must declare the fully qualified classname of your ErrorHandler implementation in the configuration properties:
hibernate.search.error_handler = CustomerErrorHandler
hibernate.search.error_handler = CustomerErrorHandler
13.8.7. Disable Hibernate Search Copier lienLien copié sur presse-papiers!
Hibernate Search can be partially or completely disabled as required. Hibernate Search’s indexing can be disabled, for example, if the index is read-only, or you prefer to perform indexing manually, rather than automatically. It is also possible to completely disable Hibernate Search, preventing indexing and searching.
- Disable Indexing
To disable Hibernate Search indexing, change the
indexing_strategy
configuration option tomanual
, then restart JBoss EAP.hibernate.search.indexing_strategy = manual
hibernate.search.indexing_strategy = manual
Copy to Clipboard Copied! Toggle word wrap Toggle overflow - Disable Hibernate Search Completely
To disable Hibernate Search completely, disable all listeners by changing the
autoregister_listeners
configuration option tofalse
, then restart JBoss EAP.hibernate.search.autoregister_listeners = false
hibernate.search.autoregister_listeners = false
Copy to Clipboard Copied! Toggle word wrap Toggle overflow
13.9. Monitoring Copier lienLien copié sur presse-papiers!
Hibernate Search offers access to a Statistics
object via SearchFactory.getStatistics()
. It allows you, for example, to determine which classes are indexed and how many entities are in the index. This information is always available. However, by specifying the hibernate.search.generate_statistics
property in your configuration you can also collect total and average Lucene query and object loading timings.
Access to Statistics via JMX
To enable access to statistics via JMX, set the property hibernate.search.jmx_enabled
to true
. This will automatically register the StatisticsInfoMBean
bean, providing access to statistics using the Statistics
object. Depending on your configuration the IndexingProgressMonitorMBean
bean may also be registered.
Monitoring Indexing
If the mass indexer API is used, you can monitor indexing progress using the IndexingProgressMonitorMBean
bean. The bean is only bound to JMX while indexing is in progress.
JMX beans can be accessed remotely using JConsole by setting the system property com.sun.management.jmxremote
to true
.