- 13. Caching
13. Caching
At runtime, Hibernate handles moving data into and out of the second-level cache in response to the operations performed by the Session
, which acts as a transaction-level cache of persistent data. Once an entity becomes managed, that object is added to the internal cache of the current persistence context (EntityManager
or Session
). The persistence context is also called the first-level cache, and it’s enabled by default.
It is possible to configure a JVM-level (SessionFactory
-level) or even a cluster cache on a class-by-class and collection-by-collection basis.
Be aware that Hibernate caches are not aware of changes made to the persistent store by other applications. To address this limitation, you can configure a TTL (Time To Live) retention policy at the second-level cache region level so that the underlying cache entries expire regularly. |
13.1. Configuring second-level caching
Hibernate can integrate with various caching providers for the purpose of caching data outside the context of a particular Session
. This section defines the settings which control this behavior.
13.1.1. RegionFactory
org.hibernate.cache.spi.RegionFactory
defines the integration between Hibernate and a pluggable caching provider. hibernate.cache.region.factory_class
is used to declare the provider to use. Hibernate comes with built-in support for the Java caching standard JCache and also two popular caching libraries: Ehcache and Infinispan. Detailed information is provided later in this chapter.
13.1.2. Caching configuration properties
Besides provider specific configuration, there are a number of configurations options on the Hibernate side of the integration that control various caching behaviors:
hibernate.cache.use_second_level_cache
Enable or disable second level caching overall. By default, if the currently configured RegionFactory
is not the NoCachingRegionFactory
, then the second-level cache is going to be enabled. Otherwise, the second-level cache is disabled.
hibernate.cache.use_query_cache
Enable or disable second level caching of query results. The default is false.
hibernate.cache.query_cache_factory
Query result caching is handled by a special contract that deals with staleness-based invalidation of the results. The default implementation does not allow stale results at all. Use this for applications that would like to relax that. Names an implementation of org.hibernate.cache.spi.QueryCacheFactory
.
hibernate.cache.use_minimal_puts
Optimizes second-level cache operations to minimize writes, at the cost of more frequent reads. Providers typically set this appropriately.
hibernate.cache.region_prefix
Defines a name to be used as a prefix to all second-level cache region names.
hibernate.cache.default_cache_concurrency_strategy
In Hibernate second-level caching, all regions can be configured differently including the concurrency strategy to use when accessing that particular region. This setting allows defining a default strategy to be used. This setting is very rarely required as the pluggable providers do specify the default strategy to use. Valid values include:
read-only,
read-write,
nonstrict-read-write,
transactional
hibernate.cache.use_structured_entries
If true
, forces Hibernate to store data in the second-level cache in a more human-friendly format. Can be useful if you’d like to be able to “browse” the data directly in your cache, but does have a performance impact.
hibernate.cache.auto_evict_collection_cache
Enables or disables the automatic eviction of a bidirectional association’s collection cache entry when the association is changed just from the owning side. This is disabled by default, as it has a performance impact to track this state. However, if your application does not manage both sides of bidirectional association where the collection side is cached, the alternative is to have stale data in that collection cache.
hibernate.cache.use_reference_entries
Enable direct storage of entity references into the second level cache for read-only or immutable entities.
hibernate.cache.keys_factory
When storing entries into the second-level cache as a key-value pair, the identifiers can be wrapped into tuples
default
(wraps identitifers in the tuple)simple
(uses identifiers as keys without any wrapping)fully qualified class name that implements
org.hibernate.cache.spi.CacheKeysFactory
13.2. Configuring second-level cache mappings
The cache mappings can be configured via JPA annotations or XML descriptors or using the Hibernate-specific mapping files.
By default, entities are not part of the second level cache and we recommend you to stick to this setting. However, you can override this by setting the shared-cache-mode
element in your persistence.xml
file or by using the javax.persistence.sharedCache.mode
property in your configuration file. The following values are possible:
ENABLE_SELECTIVE
(Default and recommended value)
Entities are not cached unless explicitly marked as cacheable (with the @Cacheable
annotation).
DISABLE_SELECTIVE
Entities are cached unless explicitly marked as non-cacheable.
ALL
Entities are always cached even if marked as non-cacheable.
NONE
No entity is cached even if marked as cacheable. This option can make sense to disable second-level cache altogether.
The cache concurrency strategy used by default can be set globally via the hibernate.cache.default_cache_concurrency_strategy
configuration property. The values for this property are:
read-only
If your application needs to read, but not modify, instances of a persistent class, a read-only cache is the best choice. Application can still delete entities and these changes should be reflected in second-level cache so that the cache does not provide stale entities. Implementations may use performance optimizations based on the immutability of entities.
read-write
If the application needs to update data, a read-write cache might be appropriate. This strategy provides consistent access to single entity, but not a serializable transaction isolation level; e.g. when TX1 reads looks up an entity and does not find it, TX2 inserts the entity into cache and TX1 looks it up again, the new entity can be read in TX1.
nonstrict-read-write
Similar to read-write strategy but there might be occasional stale reads upon concurrent access to an entity. The choice of this strategy might be appropriate if the application rarely updates the same data simultaneously and strict transaction isolation is not required. Implementations may use performance optimizations that make use of the relaxed consistency guarantee.
transactional
Provides serializable transaction isolation level.
Rather than using a global setting, it is recommended to define the cache concurrency strategy on a per entity basis. Use the |
The @Cache
annotation define three attributes:
usage
Defines the CacheConcurrencyStrategy
region
Defines a cache region where entries will be stored
include
If lazy properties should be included in the second level cache. The default value is all
so lazy properties are cacheable. The other possible value is non-lazy
so lazy properties are not cacheable.
13.3. Entity inheritance and second-level cache mapping
Traditionally, when using entity inheritance, Hibernate required an entity hierarchy to be either cached entirely or not cached at all. Therefore, if you wanted to cache a subclass belonging to a given entity hierarchy, the JPA @Cacheable
and the Hibernate-specific @Cache
annotations would have to be declared at the root-entity level only.
Although we still believe that all entities belonging to a given entity hierarchy should share the same caching semantics, the JPA specification says that the @Cacheable
annotation could be overwritten by a subclass:
The value of the
Cacheable
annotation is inherited by subclasses; it can be overridden by specifyingCacheable
on a subclass.
— Section 11.1.7 of the JPA 2.1 Specification
As of Hibernate ORM 5.3, you can now override a base class However, the Hibernate cache concurrency strategy (e.g. read-only, nonstrict-read-write, read-write, transactional) is still defined at the root entity level and cannot be overridden. |
Nevertheless, the reasons why we advise you to have all entities belonging to an inheritance tree share the same caching definition can be summed as follows:
from a performance perspective, adding an additional check on a per entity type level slows the bootstrap process.
providing different caching semantics for subclasses would violate the Liskov substitution principle.
13.4. Entity cache
Example 450. Entity cache mapping
@Entity(name = "Phone")
@Cacheable
@org.hibernate.annotations.Cache(usage = CacheConcurrencyStrategy.NONSTRICT_READ_WRITE)
public static class Phone {
@Id
@GeneratedValue
private Long id;
private String mobile;
@ManyToOne
private Person person;
@Version
private int version;
//Getters and setters are omitted for brevity
}
Hibernate stores cached entities in a dehydrated form, which is similar to the database representation. Aside from the foreign key column values of the @ManyToOne
or @OneToOne
child-side associations, entity relationships are not stored in the cache,
Once an entity is stored in the second-level cache, you can avoid a database hit and load the entity from the cache alone:
Example 451. Loading entity using JPA
Person person = entityManager.find( Person.class, 1L );
Example 452. Loading entity using Hibernate native API
Person person = session.get( Person.class, 1L );
The Hibernate second-level cache can also load entities by their natural id:
Example 453. Hibernate natural id entity mapping
@Entity(name = "Person")
@Cacheable
@org.hibernate.annotations.Cache(usage = CacheConcurrencyStrategy.READ_WRITE)
public static class Person {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private Long id;
private String name;
@NaturalId
@Column(name = "code", unique = true)
private String code;
//Getters and setters are omitted for brevity
}
Example 454. Loading entity using Hibernate native natural id API
Person person = session
.byNaturalId( Person.class )
.using( "code", "unique-code")
.load();
13.5. Collection cache
Hibernate can also cache collections, and the @Cache
annotation must be on added to the collection property.
If the collection is made of value types (basic or embeddables mapped with @ElementCollection
), the collection is stored as such. If the collection contains other entities (@OneToMany
or @ManyToMany
), the collection cache entry will store the entity identifiers only.
Example 455. Collection cache mapping
@OneToMany(mappedBy = "person", cascade = CascadeType.ALL)
@org.hibernate.annotations.Cache(usage = CacheConcurrencyStrategy.NONSTRICT_READ_WRITE)
private List<Phone> phones = new ArrayList<>( );
Collections are read-through, meaning they are cached upon being accessed for the first time:
Example 456. Collection cache usage
Person person = entityManager.find( Person.class, 1L );
person.getPhones().size();
Subsequent collection retrievals will use the cache instead of going to the database.
The collection cache is not write-through so any modification will trigger a collection cache entry invalidation. On a subsequent access, the collection will be loaded from the database and re-cached. |
13.6. Query cache
Aside from caching entities and collections, Hibernate offers a query cache too. This is useful for frequently executed queries with fixed parameter values.
Caching of query results introduces some overhead in terms of your applications normal transactional processing. For example, if you cache results of a query against That, coupled with the fact that most applications simply gain no benefit from caching query results, leads Hibernate to disable caching of query results by default. |
To use query caching, you will first need to enable it with the following configuration property:
Example 457. Enabling query cache
<property
name="hibernate.cache.use_query_cache"
value="true" />
As mentioned above, most queries do not benefit from caching or their results. So by default, individual queries are not cached even after enabling query caching. Each particular query that needs to be cached must be manually set as cacheable. This way, the query looks for existing cache results or adds the query results to the cache when being executed.
Example 458. Caching query using JPA
List<Person> persons = entityManager.createQuery(
"select p " +
"from Person p " +
"where p.name = :name", Person.class)
.setParameter( "name", "John Doe")
.setHint( "org.hibernate.cacheable", "true")
.getResultList();
Example 459. Caching query using Hibernate native API
List<Person> persons = session.createQuery(
"select p " +
"from Person p " +
"where p.name = :name")
.setParameter( "name", "John Doe")
.setCacheable(true)
.list();
For entity queries, the query cache does not cache the state of the actual entities. Instead, it stores the entity identifiers, and when the query result is fetched from the cache, the entity state is going to be loaded from the second-level cache entity regions. Just as with collection caching, the query cache should always be used in conjunction with the second-level cache for those entities expected to be cached as part of a query result cache. For projection queries, the query cache stores the dehydrated entity state (e.g. |
13.6.1. Query cache regions
This setting creates two new cache regions:
default-query-results-region
Holding the cached query results.
default-update-timestamps-region
Holding timestamps of the most recent updates to queryable tables. These are used to validate the results as they are served from the query cache.
If you configure your underlying cache implementation to use expiration, it’s very important that the timeout of the underlying cache region for the In fact, we recommend that the |
If you require fine-grained control over query cache expiration policies, you can specify a named cache region for a particular query.
Example 460. Caching query in custom region using JPA
List<Person> persons = entityManager.createQuery(
"select p " +
"from Person p " +
"where p.id > :id", Person.class)
.setParameter( "id", 0L)
.setHint( QueryHints.HINT_CACHEABLE, "true")
.setHint( QueryHints.HINT_CACHE_REGION, "query.cache.person" )
.getResultList();
Example 461. Caching query in custom region using Hibernate native API
List<Person> persons = session.createQuery(
"select p " +
"from Person p " +
"where p.id > :id")
.setParameter( "id", 0L)
.setCacheable(true)
.setCacheRegion( "query.cache.person" )
.list();
If you want to force the query cache to refresh one of its regions (disregarding any cached results it finds there), you can use custom cache modes.
Example 462. Using custom query cache mode with JPA
List<Person> persons = entityManager.createQuery(
"select p " +
"from Person p " +
"where p.id > :id", Person.class)
.setParameter( "id", 0L)
.setHint( QueryHints.HINT_CACHEABLE, "true")
.setHint( QueryHints.HINT_CACHE_REGION, "query.cache.person" )
.setHint( "javax.persistence.cache.storeMode", CacheStoreMode.REFRESH )
.getResultList();
Example 463. Using custom query cache mode with Hibernate native API
List<Person> persons = session.createQuery(
"select p " +
"from Person p " +
"where p.id > :id")
.setParameter( "id", 0L)
.setCacheable(true)
.setCacheRegion( "query.cache.person" )
.setCacheMode( CacheMode.REFRESH )
.list();
When using This behavior is particularly useful in cases when the underlying data may have been updated via a separate process and is a far more efficient alternative to the bulk eviction of the region via
|
13.7. Managing the cached data
Traditionally, Hibernate defined the CacheMode
enumeration to describe the ways of interactions with the cached data. JPA split cache modes by storage (CacheStoreMode
) and retrieval (CacheRetrieveMode
).
The relationship between Hibernate and JPA cache modes can be seen in the following table:
Hibernate | JPA | Description |
---|---|---|
|
| Default. Reads/writes data from/into the cache |
|
| Doesn’t read from cache, but writes to the cache upon loading from the database |
|
| Doesn’t read from cache, but writes to the cache as it reads from the database |
|
| Read from the cache, but doesn’t write to cache |
|
| Doesn’t read/write data from/into the cache |
Setting the cache mode can be done either when loading entities directly or when executing a query.
Example 464. Using custom cache modes with JPA
Map<String, Object> hints = new HashMap<>( );
hints.put( "javax.persistence.cache.retrieveMode" , CacheRetrieveMode.USE );
hints.put( "javax.persistence.cache.storeMode" , CacheStoreMode.REFRESH );
Person person = entityManager.find( Person.class, 1L , hints);
Example 465. Using custom cache modes with Hibernate native API
session.setCacheMode( CacheMode.REFRESH );
Person person = session.get( Person.class, 1L );
The custom cache modes can be set for queries as well:
Example 466. Using custom cache modes for queries with JPA
List<Person> persons = entityManager.createQuery(
"select p from Person p", Person.class)
.setHint( QueryHints.HINT_CACHEABLE, "true")
.setHint( "javax.persistence.cache.retrieveMode" , CacheRetrieveMode.USE )
.setHint( "javax.persistence.cache.storeMode" , CacheStoreMode.REFRESH )
.getResultList();
Example 467. Using custom cache modes for queries with Hibernate native API
List<Person> persons = session.createQuery(
"select p from Person p" )
.setCacheable( true )
.setCacheMode( CacheMode.REFRESH )
.list();
13.7.1. Evicting cache entries
Because the second level cache is bound to the EntityManagerFactory
or the SessionFactory
, cache eviction must be done through these two interfaces.
JPA only supports entity eviction through the javax.persistence.Cache
interface:
Example 468. Evicting entities with JPA
entityManager.getEntityManagerFactory().getCache().evict( Person.class );
Hibernate is much more flexible in this regard as it offers fine-grained control over what needs to be evicted. The org.hibernate.Cache
interface defines various evicting strategies:
entities (by their class or region)
entities stored using the natural-id (by their class or region)
collections (by the region, and it might take the collection owner identifier as well)
queries (by region)
Example 469. Evicting entities with Hibernate native API
session.getSessionFactory().getCache().evictQueryRegion( "query.cache.person" );
13.8. Caching statistics
If you enable the hibernate.generate_statistics
configuration property, Hibernate will expose a number of metrics via SessionFactory.getStatistics()
. Hibernate can even be configured to expose these statistics via JMX.
This way, you can get access to the Statistics
class which comprises all sort of second-level cache metrics.
Example 470. Caching statistics
Statistics statistics = session.getSessionFactory().getStatistics();
CacheRegionStatistics secondLevelCacheStatistics =
statistics.getDomainDataRegionStatistics( "query.cache.person" );
long hitCount = secondLevelCacheStatistics.getHitCount();
long missCount = secondLevelCacheStatistics.getMissCount();
double hitRatio = (double) hitCount / ( hitCount + missCount );
13.9. JCache
To use the built-in integration for JCache, you need the In addition, a JCache implementation needs to be added as well. A list of compatible implementations can be found on the JCP website. An alternative source of compatible implementations can be found through the JSR-107 test zoo. |
13.9.1. RegionFactory
The hibernate-jcache
module defines the following region factory: JCacheRegionFactory
.
To use the JCacheRegionFactory
, you need to specify the following configuration property:
Example 471. JCacheRegionFactory
configuration
<property
name="hibernate.cache.region.factory_class"
value="jcache"/>
The JCacheRegionFactory
configures a javax.cache.CacheManager
.
13.9.2. JCache CacheManager
JCache mandates that CacheManager
s sharing the same URI and class loader be unique in JVM.
If you do not specify additional properties, the JCacheRegionFactory
will load the default JCache provider and create the default CacheManager
. Also, Cache
s will be created using the default javax.cache.configuration.MutableConfiguration
.
In order to control which provider to use and specify configuration for the CacheManager
and Cache
s you can use the following two properties:
Example 472. JCache configuration
<property
name="hibernate.javax.cache.provider"
value="org.ehcache.jsr107.EhcacheCachingProvider"/>
<property
name="hibernate.javax.cache.uri"
value="file:/path/to/ehcache.xml"/>
Only by specifying the second property hibernate.javax.cache.uri
will you be able to have a CacheManager
per SessionFactory
.
Using a non-default JCache CacheManager
If you don’t want to use the default CacheManager
, you need to set the hibernate.javax.cache.cache_manager
configuration property to one of the following values:
Object reference
If the value is an Object
instance implementing the CacheManager
interface, the provided CacheManager
instance will be used.
Class
If the value is a Java Class
object that implements the CacheManager
interface, Hibernate will create a new instance for that Class
and use it instead of the default one.
When passing a Java |
String
If the value is a Java String
, Hibernate expects it to be the fully-qualified Class
name of the CacheManager
implementation which will be used to instantiate the non-default CacheManager
.
When passing the fully-qualified class name, you must make sure that the associated |
13.9.3. JCache missing cache strategy
By default, the JCache region factory will log a warning when asked to create a cache that is not explicitly configured and pre-started in the underlying cache manager. Thus if you configure an entity type or a collection as cached, but do not configure the corresponding cache explicitly, one warning will be logged for each cache that was not configured explicitly.
You may change this behavior by setting the hibernate.javax.cache.missing_cache_strategy
property to one of the following values:
Value | Description |
---|---|
| Fail with an exception on missing caches. |
| Default value. Create a new cache when a cache is not found (see |
| Create a new cache when a cache is not found, without logging any warning about the missing cache. |
Note that caches created this way may not be suitable for production usage (unlimited size and no eviction in particular) unless the cache provider explicitly provides a specific configuration for default caches. Ehcache, in particular, allows to set such default configuration using cache templates. See the Ehcache documentation for more details. |
13.10. Ehcache
This integration covers Ehcache 2.x, in order to use Ehcache 3.x as second level cache, refer to the JCache integration.
Use of the built-in integration for Ehcache requires that the |
13.10.1. RegionFactory
The hibernate-ehcache module defines two specific region factories: EhCacheRegionFactory
and SingletonEhCacheRegionFactory
.
EhCacheRegionFactory
To use the EhCacheRegionFactory
, you need to specify the following configuration property:
Example 473. EhCacheRegionFactory
configuration
<property
name="hibernate.cache.region.factory_class"
value="ehcache"/>
The EhCacheRegionFactory
configures a net.sf.ehcache.CacheManager
for each SessionFactory
, so the CacheManager
is not shared among multiple SessionFactory
instances in the same JVM.
SingletonEhCacheRegionFactory
To use the SingletonEhCacheRegionFactory
, you need to specify the following configuration property:
Example 474. SingletonEhCacheRegionFactory
configuration
<property
name="hibernate.cache.region.factory_class"
value="ehcache-singleton"/>
The SingletonEhCacheRegionFactory
configures a singleton net.sf.ehcache.CacheManager
(see CacheManager#create()), shared among multiple SessionFactory
instances in the same JVM.
The Ehcache documentation recommends using multiple non-singleton |
13.10.2. Ehcache missing cache strategy
By default, the Ehcache region factory will log a warning when asked to create a cache that is not explicitly configured and pre-started in the underlying cache manager. Thus if you configure an entity type or a collection as cached, but do not configure the corresponding cache explicitly, one warning will be logged for each cache that was not configured explicitly.
You may change this behavior by setting the hibernate.cache.ehcache.missing_cache_strategy
property to one of the following values:
Value | Description |
---|---|
| Fail with an exception on missing caches. |
| Default value. Create a new cache when a cache is not found (see |
| Create a new cache when a cache is not found, without logging any warning about the missing cache. |
Note that caches created this way may be very badly configured (large size in particular) unless an appropriate |
13.11. Infinispan
Infinispan is a distributed in-memory key/value data store, available as a cache or data grid, which can be used as a Hibernate second-level cache provider as well.
It supports advanced functionality such as transactions, events, querying, distributed processing, off-heap and geographical failover.
For more details, check out the Infinispan User Guide.