1. Infinispan Caches
Infinispan caches provide flexible, in-memory data stores that you can configure to suit use cases such as:
- 
boosting application performance with high-speed local caches. 
- 
optimizing databases by decreasing the volume of write operations. 
- 
providing resiliency and durability for consistent data across clusters. 
1.1. Cache Interface
Cache<K,V> is the central interface for Infinispan and extends
java.util.concurrent.ConcurrentMap.
Cache entries are highly concurrent data structures in key:value format that
support a wide and configurable range of data types, from simple strings to
much more complex objects.
1.2. Cache Managers
Infinispan provides a CacheManager interface that lets you create, modify,
and manage local or clustered caches. Cache Managers are the starting point for
using Infinispan caches.
There are two CacheManager implementations:
- EmbeddedCacheManager
- 
Entry point for caches when running Infinispan inside the same Java Virtual Machine (JVM) as the client application, which is also known as Library Mode. 
- RemoteCacheManager
- 
Entry point for caches when running Infinispan as a remote server in its own JVM. When it starts running, RemoteCacheManagerestablishes a persistent TCP connection to a Hot Rod endpoint on a Infinispan server.
| Both embedded and remote  | 
1.3. Cache Containers
Cache containers declare one or more local or clustered caches that a Cache Manager controls.
<cache-container name="clustered" default-cache="default">
  <!-- Cache Manager configuration goes here. -->
</cache-container>1.4. Cache Modes
| Infinispan Cache Managers can create and control multiple caches that use different modes. For example, you can use the same Cache Manager for local caches, distributes caches, and caches with invalidation mode. | 
- Local Caches
- 
Infinispan runs as a single node and never replicates read or write operations on cache entries. 
- Clustered Caches
- 
Infinispan instances running on the same network can automatically discover each other and form clusters to handle cache operations. 
- Invalidation Mode
- 
Rather than replicating cache entries across the cluster, Infinispan evicts stale data from all nodes whenever operations modify entries in the cache. Infinispan performs local read operations only. 
- Replicated Caches
- 
Infinispan replicates each cache entry on all nodes and performs local read operations only. 
- Distributed Caches
- 
Infinispan stores cache entries across a subset of nodes and assigns entries to fixed owner nodes. Infinispan requests read operations from owner nodes to ensure it returns the correct value. 
- Scattered Caches
- 
Infinispan stores cache entries across a subset of nodes. By default Infinispan assigns a primary owner and a backup owner to each cache entry in scattered caches. Infinispan assigns primary owners in the same way as with distributed caches, while backup owners are always the nodes that initiate the write operations. Infinispan requests read operations from at least one owner node to ensure it returns the correct value. 
1.4.1. Cache Mode Comparison
The cache mode that you should choose depends on the qualities and guarantees you need for your data.
The following table summarizes the primary differences between cache modes:
| Simple | Local | Invalidation | Replicated | Distributed | Scattered | |
|---|---|---|---|---|---|---|
| Clustered | No | No | Yes | Yes | Yes | Yes | 
| Read performance | Highest | High | High | High | Medium | Medium | 
| Write performance | Highest | High | Low | Lowest | Medium | Higher | 
| Capacity | Single node | Single node | Single node | Smallest node | Cluster | Cluster | 
| Availability | Single node | Single node | Single node | All nodes | Owner nodes | Owner nodes | 
| Features | No TX, persistence, indexing | All | No indexing | All | All | No TX | 
2. Local Caches
While Infinispan is particularly interesting in clustered mode, it also offers a very
capable local mode.
In this mode, it acts as a simple, in-memory data cache similar to a ConcurrentHashMap.
But why would one use a local cache rather than a map? Caches offer a lot of features over and above a simple map, including write-through and write-behind to a persistent store, eviction of entries to prevent running out of memory, and expiration.
Infinispan’s Cache interface extends JDK’s ConcurrentMap — making migration from a
map to Infinispan trivial.
Infinispan caches also support transactions, either integrating with an existing transaction manager or running a separate one. Local caches transactions have two choices:
- 
When to lock? Pessimistic locking locks keys on a write operation or when the user calls AdvancedCache.lock(keys)explicitly. Optimistic locking only locks keys during the transaction commit, and instead it throws aWriteSkewCheckExceptionat commit time, if another transaction modified the same keys after the current transaction read them.
- 
Isolation level. We support read-committed and repeatable read. 
2.1. Simple Caches
Traditional local caches use the same architecture as clustered caches, i.e. they use the interceptor stack. That way a lot of the implementation can be reused. However, if the advanced features are not needed and performance is more important, the interceptor stack can be stripped away and simple cache can be used.
So, which features are stripped away? From the configuration perspective, simple cache does not support:
- 
transactions and invocation batching 
- 
persistence (cache stores and loaders) 
- 
custom interceptors (there’s no interceptor stack!) 
- 
indexing 
- 
transcoding 
- 
store as binary (which is hardly useful for local caches) 
From the API perspective these features throw an exception:
- 
adding custom interceptors 
- 
Distributed Executors Framework 
So, what’s left?
- 
basic map-like API 
- 
cache listeners (local ones) 
- 
expiration 
- 
eviction 
- 
security 
- 
JMX access 
- 
statistics (though for max performance it is recommended to switch this off using statistics-available=false) - Declarative configuration
- 
<local-cache name="mySimpleCache" simple-cache="true"> <!-- Additional cache configuration goes here. --> </local-cache>
- Programmatic configuration
- 
DefaultCacheManager cm = getCacheManager(); ConfigurationBuilder builder = new ConfigurationBuilder().simpleCache(true); cm.defineConfiguration("mySimpleCache", builder.build()); Cache cache = cm.getCache("mySimpleCache");
 
Simple cache checks against features it does not support, if you configure it to use e.g. transactions, configuration validation will throw an exception.
3. Clustered Caches
Clustered caches store data across multiple Infinispan nodes using JGroups technology as the transport layer to pass data across the network.
3.1. Invalidation Mode
You can use Infinispan in invalidation mode to optimize systems that perform high volumes of read operations. A good example is to use invalidation to prevent lots of database writes when state changes occur.
This cache mode only makes sense if you have another, permanent store for your data such as a database and are only using Infinispan as an optimization in a read-heavy system, to prevent hitting the database for every read. If a cache is configured for invalidation, every time data is changed in a cache, other caches in the cluster receive a message informing them that their data is now stale and should be removed from memory and from any local store.
Sometimes the application reads a value from the external store and wants to write it to
the local cache, without removing it from the other nodes.
To do this, it must call Cache.putForExternalRead(key, value) instead of
Cache.put(key, value).
Invalidation mode can be used with a shared cache store. A write operation will both update the shared store, and it would remove the stale values from the other nodes' memory. The benefit of this is twofold: network traffic is minimized as invalidation messages are very small compared to replicating the entire value, and also other caches in the cluster look up modified data in a lazy manner, only when needed.
| Never use invalidation mode with a local store. The invalidation message will not remove entries in the local store, and some nodes will keep seeing the stale value. | 
An invalidation cache can also be configured with a special cache loader, ClusterLoader.
When ClusterLoader is enabled, read operations that do not find the key on the local
node will request it from all the other nodes first, and store it in memory locally.
In certain situation it will store stale values, so only use it if you have a high
tolerance for stale values.
Invalidation mode can be synchronous or asynchronous. When synchronous, a write blocks until all nodes in the cluster have evicted the stale value. When asynchronous, the originator broadcasts invalidation messages but doesn’t wait for responses. That means other nodes still see the stale value for a while after the write completed on the originator.
Transactions can be used to batch the invalidation messages. Transactions acquire the key lock on the primary owner. To find more about how primary owners are assigned, please read the Key Ownership section.
- 
With pessimistic locking, each write triggers a lock message, which is broadcast to all the nodes. During transaction commit, the originator broadcasts a one-phase prepare message (optionally fire-and-forget) which invalidates all affected keys and releases the locks. 
- 
With optimistic locking, the originator broadcasts a prepare message, a commit message, and an unlock message (optional). Either the one-phase prepare or the unlock message is fire-and-forget, and the last message always releases the locks. 
3.2. Replicated Caches
Entries written to a replicated cache on any node will be replicated to all other nodes in the cluster, and can be retrieved locally from any node. Replicated mode provides a quick and easy way to share state across a cluster, however replication practically only performs well in small clusters (under 10 nodes), due to the number of messages needed for a write scaling linearly with the cluster size. Infinispan can be configured to use UDP multicast, which mitigates this problem to some degree.
Each key has a primary owner, which serializes data container updates in order to provide consistency. To find more about how primary owners are assigned, please read the Key Ownership section.
Replicated mode can be synchronous or asynchronous.
- 
Synchronous replication blocks the caller (e.g. on a cache.put(key, value)) until the modifications have been replicated successfully to all the nodes in the cluster.
- 
Asynchronous replication performs replication in the background, and write operations return immediately. Asynchronous replication is not recommended, because communication errors, or errors that happen on remote nodes are not reported to the caller. 
If transactions are enabled, write operations are not replicated through the primary owner.
- 
With pessimistic locking, each write triggers a lock message, which is broadcast to all the nodes. During transaction commit, the originator broadcasts a one-phase prepare message and an unlock message (optional). Either the one-phase prepare or the unlock message is fire-and-forget. 
- 
With optimistic locking, the originator broadcasts a prepare message, a commit message, and an unlock message (optional). Again, either the one-phase prepare or the unlock message is fire-and-forget. 
3.3. Distributed Caches
Distribution tries to keep a fixed number of copies of any entry in the cache,
configured as numOwners.
This allows the cache to scale linearly, storing more data as nodes are added to the
cluster.
As nodes join and leave the cluster, there will be times when a key has more or less than
numOwners copies.
In particular, if numOwners nodes leave in quick succession, some entries will be lost,
so we say that a distributed cache tolerates numOwners - 1 node failures.
The number of copies represents a trade-off between performance and durability of data. The more copies you maintain, the lower performance will be, but also the lower the risk of losing data due to server or network failures. Regardless of how many copies are maintained, distribution still scales linearly, and this is key to Infinispan’s scalability.
The owners of a key are split into one primary owner, which coordinates writes to the key, and zero or more backup owners. To find more about how primary and backup owners are assigned, please read the Key Ownership section.
A read operation will request the value from the primary owner, but if it doesn’t respond
in a reasonable amount of time, we request the value from the backup owners as well.
(The infinispan.stagger.delay system property, in milliseconds, controls the delay
between requests.)
A read operation may require 0 messages if the key is present in the local cache,
or up to 2 * numOwners messages if all the owners are slow.
A write operation will also result in at most 2 * numOwners messages: one message from
the originator to the primary owner, numOwners - 1 messages from the primary to the
backups, and the corresponding ACK messages.
| Cache topology changes may cause retries and additional messages, both for reads and for writes. | 
Just as replicated mode, distributed mode can also be synchronous or asynchronous. And as in replicated mode, asynchronous replication is not recommended because it can lose updates. In addition to losing updates, asynchronous distributed caches can also see a stale value when a thread writes to a key and then immediately reads the same key.
Transactional distributed caches use the same kinds of messages as transactional replicated caches, except lock/prepare/commit/unlock messages are sent only to the affected nodes (all the nodes that own at least one key affected by the transaction) instead of being broadcast to all the nodes in the cluster. As an optimization, if the transaction writes to a single key and the originator is the primary owner of the key, lock messages are not replicated.
3.3.1. Read consistency
Even with synchronous replication, distributed caches are not linearizable. (For transactional caches, we say they do not support serialization/snapshot isolation.) We can have one thread doing a single put:
cache.get(k) -> v1
cache.put(k, v2)
cache.get(k) -> v2But another thread might see the values in a different order:
cache.get(k) -> v2
cache.get(k) -> v1The reason is that read can return the value from any owner, depending on how fast the primary owner replies. The write is not atomic across all the owners — in fact, the primary commits the update only after it receives a confirmation from the backup. While the primary is waiting for the confirmation message from the backup, reads from the backup will see the new value, but reads from the primary will see the old one.
3.3.2. Key Ownership
Distributed caches split entries into a fixed number of segments and assign each segment to a list of owner nodes. Replicated caches do the same, with the exception that every node is an owner.
The first node in the list of owners is the primary owner. The other nodes in the list are backup owners. When the cache topology changes, because a node joins or leaves the cluster, the segment ownership table is broadcast to every node. This allows nodes to locate keys without making multicast requests or maintaining metadata for each key.
The numSegments property configures the number of segments available.
However, the number of segments cannot change unless the cluster is restarted.
Likewise the key-to-segment mapping cannot change. Keys must always map to the same segments regardless of cluster topology changes. It is important that the key-to-segment mapping evenly distributes the number of segments allocated to each node while minimizing the number of segments that must move when the cluster topology changes.
You can customize the key-to-segment mapping by configuring a KeyPartitioner or by using the Grouping API.
However, Infinispan provides the following implementations:
- SyncConsistentHashFactory
- 
Uses an algorithm based on consistent hashing. Selected by default when server hinting is disabled. This implementation always assigns keys to the same nodes in every cache as long as the cluster is symmetric. In other words, all caches run on all nodes. This implementation does have some negative points in that the load distribution is slightly uneven. It also moves more segments than strictly necessary on a join or leave. 
- TopologyAwareSyncConsistentHashFactory
- 
Similar to SyncConsistentHashFactory, but adapted for Server Hinting. Selected by default when server hinting is enabled.
- DefaultConsistentHashFactory
- 
Achieves a more even distribution than SyncConsistentHashFactory, but with one disadvantage. The order in which nodes join the cluster determines which nodes own which segments. As a result, keys might be assigned to different nodes in different caches.Was the default from version 5.2 to version 8.1 with server hinting disabled. 
- TopologyAwareConsistentHashFactory
- 
Similar to DefaultConsistentHashFactory, but adapted for Server Hinting. Was the default from version 5.2 to version 8.1 with server hinting enabled. 
- ReplicatedConsistentHashFactory
- 
Used internally to implement replicated caches. You should never explicitly select this algorithm in a distributed cache. 
Capacity Factors
Capacity factors allocate segment-to-node mappings based on resources available to nodes.
To configure capacity factors, you specify any non-negative number and the Infinispan hashing algorithm assigns each node a load weighted by its capacity factor (both as a primary owner and as a backup owner).
For example, nodeA has 2x the memory available than nodeB in the same
Infinispan cluster. In this case, setting capacityFactor to a value of 2
configures Infinispan to allocate 2x the number of segments to nodeA.
Setting a capacity factor of 0 is possible but is recommended only in cases
where nodes are not joined to the cluster long enough to be useful data owners.
3.3.3. Zero Capacity Node
You might need to configure a whole node where the capacity factor is 0 for every cache,
user defined caches and internal caches.
When defining a zero capacity node, the node won’t hold any data.
This is how you declare a zero capacity node:
<cache-container zero-capacity-node="true" />new GlobalConfigurationBuilder().zeroCapacityNode(true);3.3.4. Hashing Configuration
This is how you configure hashing declaratively, via XML:
<distributed-cache name="distributedCache" owners="2" segments="100" capacity-factor="2" />And this is how you can configure it programmatically, in Java:
Configuration c = new ConfigurationBuilder()
   .clustering()
      .cacheMode(CacheMode.DIST_SYNC)
      .hash()
         .numOwners(2)
         .numSegments(100)
         .capacityFactor(2)
   .build();3.3.5. Initial cluster size
Infinispan’s very dynamic nature in handling topology changes (i.e. nodes being added / removed
at runtime) means that, normally, a node doesn’t wait for the presence of other nodes before
starting. While this is very flexible, it might not be suitable for applications which require
a specific number of nodes to join the cluster before caches are started. For this reason,
you can specify how many nodes should have joined the cluster before proceeding with cache
initialization. To do this, use the initialClusterSize and initialClusterTimeout transport
properties. The declarative XML configuration:
<transport initial-cluster-size="4" initial-cluster-timeout="30000" />The programmatic Java configuration:
GlobalConfiguration global = new GlobalConfigurationBuilder()
   .transport()
   .initialClusterSize(4)
   .initialClusterTimeout(30000, TimeUnit.MILLISECONDS)
   .build();The above configuration will wait for 4 nodes to join the cluster before initialization. If the initial nodes do not appear within the specified timeout, the cache manager will fail to start.
3.3.6. L1 Caching
When L1 is enabled, a node will keep the result of remote reads locally for a short period of time (configurable, 10 minutes by default), and repeated lookups will return the local L1 value instead of asking the owners again.
L1 caching is not free though. Enabling it comes at a cost, and this cost is that every entry update must broadcast an invalidation message to all the nodes. L1 entries can be evicted just like any other entry when the the cache is configured with a maximum size. Enabling L1 will improve performance for repeated reads of non-local keys, but it will slow down writes and it will increase memory consumption to some degree.
Is L1 caching right for you? The correct approach is to benchmark your application with and without L1 enabled and see what works best for your access pattern.
3.3.7. Server Hinting
The following topology hints can be specified:
- Machine
- 
This is probably the most useful, when multiple JVM instances run on the same node, or even when multiple virtual machines run on the same physical machine. 
- Rack
- 
In larger clusters, nodes located on the same rack are more likely to experience a hardware or network failure at the same time. 
- Site
- 
Some clusters may have nodes in multiple physical locations for extra resilience. Note that Cross site replication is another alternative for clusters that need to span two or more data centres. 
All of the above are optional. When provided, the distribution algorithm will try to spread the ownership of each segment across as many sites, racks, and machines (in this order) as possible.
3.3.8. Key affinity service
In a distributed cache, a key is allocated to a list of nodes with an opaque algorithm. There is no easy way to reverse the computation and generate a key that maps to a particular node. However, we can generate a sequence of (pseudo-)random keys, see what their primary owner is, and hand them out to the application when it needs a key mapping to a particular node.
API
Following code snippet depicts how a reference to this service can be obtained and used.
// 1. Obtain a reference to a cache
Cache cache = ...
Address address = cache.getCacheManager().getAddress();
// 2. Create the affinity service
KeyAffinityService keyAffinityService = KeyAffinityServiceFactory.newLocalKeyAffinityService(
      cache,
      new RndKeyGenerator(),
      Executors.newSingleThreadExecutor(),
      100);
// 3. Obtain a key for which the local node is the primary owner
Object localKey = keyAffinityService.getKeyForAddress(address);
// 4. Insert the key in the cache
cache.put(localKey, "yourValue");The service is started at step 2: after this point it uses the supplied Executor to generate and queue keys. At step 3, we obtain a key from the service, and at step 4 we use it.
Lifecycle
KeyAffinityService extends Lifecycle, which allows stopping and (re)starting it:
public interface Lifecycle {
   void start();
   void stop();
}The service is instantiated through KeyAffinityServiceFactory. All the factory methods
have an Executor parameter, that is used for asynchronous key generation (so that it
won’t happen in the caller’s thread).
It is the user’s responsibility to handle the shutdown of this Executor.
The KeyAffinityService, once started, needs to be explicitly stopped. This stops the
background key generation and releases other held resources.
The only situation in which KeyAffinityService stops by itself is when the cache manager
with which it was registered is shutdown.
Topology changes
When the cache topology changes (i.e. nodes join or leave the cluster), the ownership of
the keys generated by the KeyAffinityService might change.
The key affinity service keep tracks of these topology changes and doesn’t return keys
that would currently map to a different node, but it won’t do anything about keys
generated earlier.
As such, applications should treat KeyAffinityService purely as an optimization, and
they should not rely on the location of a generated key for correctness.
In particular, applications should not rely on keys generated by KeyAffinityService
for the same address to always be located together.
Collocation of keys is only provided by the Grouping API.
The Grouping API
Complementary to Key affinity service, the grouping API allows you to co-locate a group of entries on the same nodes, but without being able to select the actual nodes.
How does it work?
By default, the segment of a key is computed using the key’s hashCode().
If you use the grouping API, Infinispan will compute the segment of the group and use
that as the segment of the key.
See the Key Ownership section for more details on how segments are
then mapped to nodes.
When the group API is in use, it is important that every node can still compute the owners of every key without contacting other nodes. For this reason, the group cannot be specified manually. The group can either be intrinsic to the entry (generated by the key class) or extrinsic (generated by an external function).
How do I use the grouping API?
First, you must enable groups. If you are configuring Infinispan programmatically, then call:
Configuration c = new ConfigurationBuilder()
   .clustering().hash().groups().enabled()
   .build();Or, if you are using XML:
<distributed-cache>
   <groups enabled="true"/>
</distributed-cache>If you have control of the key class (you can alter the class definition, it’s not part of
an unmodifiable library), then we recommend using an intrinsic group.
The intrinsic group is specified by adding the @Group annotation to a method.
Let’s take a look at an example:
class User {
   ...
   String office;
   ...
   public int hashCode() {
      // Defines the hash for the key, normally used to determine location
      ...
   }
   // Override the location by specifying a group
   // All keys in the same group end up with the same owners
   @Group
   public String getOffice() {
      return office;
   }
   }
}| The group method must return a String | 
If you don’t have control over the key class, or the determination of the group is an
orthogonal concern to the key class, we recommend using an extrinsic group.
An extrinsic group is specified by implementing the Grouper interface.
public interface Grouper<T> {
    String computeGroup(T key, String group);
    Class<T> getKeyType();
}If multiple Grouper classes are configured for the same key type, all of them will be
called, receiving the value computed by the previous one.
If the key class also has a @Group annotation, the first Grouper will receive the
group computed by the annotated method.
This allows you even greater control over the group when using an intrinsic group.
Let’s take a look at an example Grouper implementation:
public class KXGrouper implements Grouper<String> {
   // The pattern requires a String key, of length 2, where the first character is
   // "k" and the second character is a digit. We take that digit, and perform
   // modular arithmetic on it to assign it to group "0" or group "1".
   private static Pattern kPattern = Pattern.compile("(^k)(<a>\\d</a>)$");
   public String computeGroup(String key, String group) {
      Matcher matcher = kPattern.matcher(key);
      if (matcher.matches()) {
         String g = Integer.parseInt(matcher.group(2)) % 2 + "";
         return g;
      } else {
         return null;
      }
   }
   public Class<String> getKeyType() {
      return String.class;
   }
}Grouper implementations must be registered explicitly in the cache configuration.
If you are configuring Infinispan programmatically:
Configuration c = new ConfigurationBuilder()
   .clustering().hash().groups().enabled().addGrouper(new KXGrouper())
   .build();Or, if you are using XML:
<distributed-cache>
   <groups enabled="true">
      <grouper class="com.acme.KXGrouper" />
   </groups>
</distributed-cache>Advanced Interface
AdvancedCache has two group-specific methods:
- getGroup(groupName)
- 
Retrieves all keys in the cache that belong to a group. 
- removeGroup(groupName)
- 
Removes all the keys in the cache that belong to a group. 
Both methods iterate over the entire data container and store (if present), so they can be slow when a cache contains lots of small groups.
3.4. Scattered Caches
Scattered mode is very similar to Distribution Mode as it allows linear scaling of the cluster. It allows single node failure by maintaining two copies of the data (as Distribution Mode with numOwners=2). Unlike Distributed, the location of data is not fixed; while we use the same Consistent Hash algorithm to locate the primary owner, the backup copy is stored on the node that wrote the data last time. When the write originates on the primary owner, backup copy is stored on any other node (the exact location of this copy is not important).
This has the advantage of single Remote Procedure Call (RPC) for any write (Distribution Mode requires one or two RPCs), but reads have to always target the primary owner. That results in faster writes but possibly slower reads, and therefore this mode is more suitable for write-intensive applications.
Storing multiple backup copies also results in slightly higher memory consumption. In order to remove out-of-date backup copies, invalidation messages are broadcast in the cluster, which generates some overhead. This makes scattered mode less performant in very big clusters (this behaviour might be optimized in the future).
When a node crashes, the primary copy may be lost. Therefore, the cluster has to reconcile the backups and find out the last written backup copy. This process results in more network traffic during state transfer.
Since the writer of data is also a backup, even if we specify machine/rack/site ids on the transport level the cluster cannot be resilient to more than one failure on the same machine/rack/site.
Currently it is not possible to use scattered mode in transactional cache. Asynchronous replication is not supported either; use asynchronous Cache API instead. Functional commands are not implemented neither but these are expected to be added soon.
The cache is configured in a similar way as the other cache modes, here is an example of declarative configuration:
<scattered-cache name="scatteredCache" />And this is how you can configure it programmatically:
Configuration c = new ConfigurationBuilder()
   .clustering().cacheMode(CacheMode.SCATTERED_SYNC)
   .build();Scattered mode is not exposed in the server configuration as the server is usually accessed through the Hot Rod protocol. The protocol automatically selects primary owner for the writes and therefore the write (in distributed mode with two owner) requires single RPC inside the cluster, too. Therefore, scattered cache would not bring the performance benefit.
3.5. Asynchronous Communication with Clustered Caches
3.5.1. Asynchronous Communications
All clustered cache modes can be configured to use asynchronous communications with the
mode="ASYNC"
attribute on the <replicated-cache/>, <distributed-cache>, or <invalidation-cache/>
element.
With asynchronous communications, the originator node does not receive any acknowledgement from the other nodes about the status of the operation, so there is no way to check if it succeeded on other nodes.
We do not recommend asynchronous communications in general, as they can cause inconsistencies in the data, and the results are hard to reason about. Nevertheless, sometimes speed is more important than consistency, and the option is available for those cases.
3.5.2. Asynchronous API
The Asynchronous API allows you to use synchronous communications, but without blocking the user thread.
There is one caveat:
The asynchronous operations do NOT preserve the program order.
If a thread calls cache.putAsync(k, v1); cache.putAsync(k, v2), the final value of k
may be either v1 or v2.
The advantage over using asynchronous communications is that the final value can’t be
v1 on one node and v2 on another.
3.5.3. Return Values in Asynchronous Communication
Because the Cache interface extends java.util.Map, write methods like
put(key, value) and remove(key) return the previous value by default.
In some cases, the return value may not be correct:
- 
When using AdvancedCache.withFlags()withFlag.IGNORE_RETURN_VALUE,Flag.SKIP_REMOTE_LOOKUP, orFlag.SKIP_CACHE_LOAD.
- 
When the cache is configured with unreliable-return-values="true".
- 
When using asynchronous communications. 
- 
When there are multiple concurrent writes to the same key, and the cache topology changes. The topology change will make Infinispan retry the write operations, and a retried operation’s return value is not reliable. 
Transactional caches return the correct previous value in cases 3 and 4. However, transactional caches also have a gotcha: in distributed mode, the read-committed isolation level is implemented as repeatable-read. That means this example of "double-checked locking" won’t work:
Cache cache = ...
TransactionManager tm = ...
tm.begin();
try {
   Integer v1 = cache.get(k);
   // Increment the value
   Integer v2 = cache.put(k, v1 + 1);
   if (Objects.equals(v1, v2) {
      // success
   } else {
      // retry
   }
} finally {
  tm.commit();
}The correct way to implement this is to use
cache.getAdvancedCache().withFlags(Flag.FORCE_WRITE_LOCK).get(k).
In caches with optimistic locking, writes can also return stale previous values. Write skew checks can avoid stale previous values.
4. Configuring Infinispan Caches
Infinispan lets you define properties and options for caches both declaratively and programmatically.
Declarative configuration uses XML files that adhere to a Infinispan schema. Programmatic configuration, on the other hand, uses Infinispan APIs.
In most cases, you use declarative configuration as a starting point for cache definitions. At runtime you can then programmatically configure your caches to tune settings or specify additional properties. However, Infinispan provides flexibility so you can choose either declarative, programmatic, or a combination of the two.
4.1. Declarative Configuration
Declarative configuration conforms to a schema and is defined in XML or JSON formatted files.
The following example shows the basic structure of a Infinispan configuration:
<infinispan>
   <!-- Defines properties for all caches within the container and optionally names a default cache. -->
   <cache-container default-cache="local">
      <!-- Configures transport properties for clustered cache modes. -->
      <!-- Specifies the default JGroups UDP stack and names the cluster. -->
      <transport stack="udp" cluster="mycluster"/>
      <!-- Configures a local cache. -->
      <local-cache name="local"/>
      <!-- Configures an invalidation cache. -->
      <invalidation-cache name="invalidation"/>
      <!-- Configures a replicated cache. -->
      <replicated-cache name="replicated"/>
      <!-- Configures a distributed cache. -->
      <distributed-cache name="distributed"/>
   </cache-container>
</infinispan>4.1.1. Cache Templates
Infinispan lets you define templates that you can use to create cache configurations.
For example, the following configuration contains a cache template:
<infinispan>
   <!-- Specifies the cache named "local" as the default. -->
   <cache-container default-cache="local">
      <!-- Adds a cache template for local caches. -->
      <local-cache-configuration name="local-template">
         <expiration interval="10000" lifespan="10" max-idle="10"/>
      </local-cache-configuration>
   </cache-container>
</infinispan>Configuration templates can also inherit from other templates to extend and override settings.
| Cache template inheritance is hierarchical. For a child configuration template to inherit from a parent, you must include it after the parent template. | 
The following is an example of template inheritance:
<infinispan>
   <cache-container>
     <!-- Defines a cache template named "base-template". -->
      <local-cache-configuration name="base-template">
         <expiration interval="10000" lifespan="10" max-idle="10"/>
      </local-cache-configuration>
      <!-- Defines a cache template named "extended-template" that inherits settings from "base-template". -->
      <local-cache-configuration name="extended-template"
                                 configuration="base-template">
         <expiration lifespan="20"/>
         <memory max-size="2GB" />
      </local-cache-configuration>
   </cache-container>
</infinispan>| Configuration template inheritance is additive for elements that have multiple
values, such as  For example,  | 
4.1.2. Cache Configuration Wildcards
You can use wildcards to match cache definitions to configuration templates.
<infinispan>
  <cache-container>
    <!-- Uses the `*` wildcard to match any cache names that start with "basecache". -->
    <local-cache-configuration name="basecache*">
      <expiration interval="10500" lifespan="11" max-idle="11"/>
    </local-cache-configuration>
    <!-- Adds local caches that use the "basecache*" configuration. -->
    <local-cache name="basecache-1"/>
    <local-cache name="basecache-2"/>
  </cache-container>
</infinispan>| Infinispan throws exceptions if cache names match more than one wildcard. | 
4.1.3. Multiple Configuration Files
Infinispan supports XML inclusions (XInclude) that allow you to split configuration across multiple files.
<infinispan xmlns:xi="http://www.w3.org/2001/XInclude">
    <cache-container default-cache="cache-1">
        <!-- Includes a local.xml file that contains a cache configuration. -->
        <xi:include href="local.xml" />
    </cache-container>
</infinispan>If you want to use a schema for your included fragments, use the infinispan-config-fragment-12.1.xsd schema:
<local-cache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
             xsi:schemaLocation="urn:infinispan:config:12.1 https://infinispan.org/schemas/infinispan-config-fragment-12.1.xsd"
             xmlns="urn:infinispan:config:12.1"
             name="mycache"/>| Infinispan configuration provides only minimal support for the XInclude specification. For example, you cannot use the  | 
4.2. Infinispan Configuration API
Configure Infinispan programmatically.
Use the GlobalConfiguration class to apply configuration to all caches
under the Cache Manager.
GlobalConfiguration globalConfig = new GlobalConfigurationBuilder()
  .cacheContainer().statistics(true) (1)
  .metrics().gauges(true).histograms(true) (2)
  .jmx().enable() (3)
  .build();| 1 | Enables Cache Manager statistics. | 
| 2 | Exports statistics through the metricsendpoint. | 
| 3 | Exports statistics via JMX MBeans. | 
References:
Use the ConfigurationBuilder class to configure caches.
ConfigurationBuilder builder = new ConfigurationBuilder();
     builder.clustering() (1)
            .cacheMode(CacheMode.DIST_SYNC) (2)
            .l1().lifespan(25000L) (3)
            .hash().numOwners(3) (4)
            .statistics().enable(); (5)
     Configuration cfg = builder.build();| 1 | Enables cache clustering. | 
| 2 | Uses the distributed, synchronous cache mode. | 
| 3 | Configures maximum lifespan for entries in the L1 cache. | 
| 4 | Configures three cluster-wide replicas for each cache entry. | 
| 5 | Enables cache statistics. | 
References:
4.3. Configuring Caches Programmatically
Define cache configurations with the Cache Manager.
| The examples in this section use  To configure caches remotely with HotRod clients, you use  | 
The following example configures a new cache instance:
EmbeddedCacheManager manager = new DefaultCacheManager("infinispan-prod.xml");
Cache defaultCache = manager.getCache();
Configuration c = new ConfigurationBuilder().clustering() (1)
  .cacheMode(CacheMode.REPL_SYNC) (2)
  .build();
String newCacheName = "replicatedCache";
manager.defineConfiguration(newCacheName, c); (3)
Cache<String, String> cache = manager.getCache(newCacheName);| 1 | Creates a new Configuration object. | 
| 2 | Specifies distributed, synchronous cache mode. | 
| 3 | Defines a new cache named "replicatedCache" with the Configuration object. | 
The following examples create new cache configurations from existing ones:
EmbeddedCacheManager manager = new DefaultCacheManager("infinispan-prod.xml");
Configuration dcc = manager.getDefaultCacheConfiguration(); (1)
Configuration c = new ConfigurationBuilder().read(dcc) (2)
  .clustering()
  .cacheMode(CacheMode.DIST_SYNC) (3)
  .l1()
  .lifespan(60000L) (4)
  .build();
 
String newCacheName = "distributedWithL1";
manager.defineConfiguration(newCacheName, c); (5)
Cache<String, String> cache = manager.getCache(newCacheName);| 1 | Returns the default cache configuration from the Cache Manager. In this example, infinispan-prod.xmldefines a replicated cache as the default. | 
| 2 | Creates a new Configuration object that uses the default cache configuration as a base. | 
| 3 | Specifies distributed, synchronous cache mode. | 
| 4 | Adds an L1 lifespan configuration. | 
| 5 | Defines a new cache named "distributedWithL1" with the Configuration object. | 
EmbeddedCacheManager manager = new DefaultCacheManager("infinispan-prod.xml");
Configuration rc = manager.getCacheConfiguration("replicatedCache"); (1)
Configuration c = new ConfigurationBuilder().read(rc)
  .clustering()
  .cacheMode(CacheMode.DIST_SYNC)
  .l1()
  .lifespan(60000L)
  .build();
 
String newCacheName = "distributedWithL1";
manager.defineConfiguration(newCacheName, c);
Cache<String, String> cache = manager.getCache(newCacheName);| 1 | Uses a cache configuration named "replicatedCache" as a base. | 
5. Managing Memory
Configure the data container where Infinispan stores entries. Specify the encoding for cache entries, store data in off-heap memory, and use eviction or expiration policies to keep only active entries in memory.
5.1. Configuring Eviction and Expiration
Eviction and expiration are two strategies for cleaning the data container by removing old, unused entries. Although eviction and expiration are similar, they have some important differences.
- 
Eviction lets Infinispan control the size of the data container by removing entries when the container becomes larger than a configured threshold. 
- 
Expiration limits the amount of time entries can exist. Infinispan uses a scheduler to periodically remove expired entries. Entries that are expired but not yet removed are immediately removed on access; in this case get()calls for expired entries return "null" values.
- 
Eviction is local to Infinispan nodes. 
- 
Expiration takes place across Infinispan clusters. 
- 
You can use eviction and expiration together or independently of each other. 
- 
You can configure eviction and expiration declaratively in infinispan.xmlto apply cache-wide defaults for entries.
- 
You can explicitly define expiration settings for specific entries but you cannot define eviction on a per-entry basis. 
- 
You can manually evict entries and manually trigger expiration. 
5.1.1. Eviction
Eviction lets you control the size of the data container by removing entries from memory. Eviction drops one entry from the data container at a time and is local to the node on which it occurs.
| Eviction removes entries from memory but not from persistent cache stores. To ensure that entries remain available after Infinispan evicts them, and to prevent inconsistencies with your data, you should configure a persistent cache store. | 
Infinispan eviction relies on two configurations:
- 
Maximum size of the data container. 
- 
Strategy for removing entries. 
Infinispan lets you store entries either in the Java heap or in native memory (off-heap) and set a maximum size for the data container.
You configure the maximum size of the data container in one of two ways:
- 
Total number of entries ( max-count).
- 
Maximum amount of memory ( max-size).To perform eviction based on the amount of memory, you define a maximum size in bytes. For this reason, you must encode entries with a binary storage format such as application/x-protostream.
When you configure memory, Infinispan approximates the current memory usage
of the data container. When entries are added or modified, Infinispan compares
the current memory usage of the data container to the maximum size. If the size
exceeds the maximum, Infinispan performs eviction.
Eviction happens immediately in the thread that adds an entry that exceeds the maximum size.
Consider the following configuration as an example:
<memory max-count="50"/>
In this case, the cache can have a total of 50 entries. After the cache reaches the total number of entries, write operations trigger Infinispan to perform eviction.
Strategies control how Infinispan performs eviction. You can either perform eviction manually or configure Infinispan to do one of the following:
- 
Remove old entries to make space for new ones. 
- 
Throw ContainerFullExceptionand prevent new entries from being created.The exception eviction strategy works only with transactional caches that use 2 phase commits; not with 1 phase commits or synchronization optimizations. 
| Infinispan includes the Caffeine caching library that implements a variation of the Least Frequently Used (LFU) cache replacement algorithm known as TinyLFU. For off-heap storage, Infinispan uses a custom implementation of the Least Recently Used (LRU) algorithm. | 
Configuring the Total Number of Entries for Infinispan Caches
Limit the size of the data container for cache entries to a total number of entries.
- 
Configure your Infinispan cache encoding with an appropriate storage format. 
- 
Specify the total number of entries that caches can contain before Infinispan performs eviction. - 
Declarative: Set the max-countattribute.
- 
Programmatic: Call the maxCount()method.
 
- 
- 
Configure an eviction strategy to control how Infinispan removes entries. - 
Declarative: Set the when-fullattribute.
- 
Programmatic: Call the whenFull()method.
 
- 
<local-cache name="maximum_count">
  <encoding media-type="application/x-protostream"/>
  <memory max-count="500" when-full="REMOVE"/>
</local-cache>ConfigurationBuilder cfg = new ConfigurationBuilder();
cfg
  .encoding()
    .mediaType("application/x-protostream")
  .memory()
    .maxCount(500)
    .whenFull(EvictionStrategy.REMOVE)
  .build());Configuring the Maximum Amount of Memory for Infinispan Caches
Limit the size of the data container for cache entries to a maximum amount of memory.
- 
Configure your Infinispan cache to use a storage format that supports binary encoding. You must use a binary storage format to perform eviction based on the maximum amount of memory. 
- 
Configure the maximum amount of memory, in bytes, that caches can use before Infinispan performs eviction. - 
Declarative: Set the max-sizeattribute.
- 
Programmatic: Use the maxSize()method.
 
- 
- 
Optionally specify a byte unit of measurement. The default is B (bytes). Refer to the configuration schema for supported units. 
- 
Configure an eviction strategy to control how Infinispan removes entries. - 
Declarative: Set the when-fullattribute.
- 
Programmatic: Use the whenFull()method.
 
- 
<local-cache name="maximum_size">
  <encoding media-type="application/x-protostream"/>
  <memory max-size="1.5GB" when-full="REMOVE"/>
</local-cache>ConfigurationBuilder cfg = new ConfigurationBuilder();
cfg
  .encoding()
    .mediaType("application/x-protostream")
  .memory()
    .maxSize("1.5GB")
    .whenFull(EvictionStrategy.REMOVE)
  .build());Eviction Examples
Configure eviction as part of your cache definition.
Eviction is not enabled, which is the default configuration. Infinispan stores cache entries as objects in the JVM heap.
<distributed-cache name="default_memory">
  <memory />
</distributed-cache>Infinispan stores cache entries as objects in the JVM heap. Eviction happens when there are 100 entries in the data container and Infinispan gets a request to create a new entry:
<distributed-cache name="total_number">
  <memory max-count="100"/>
</distributed-cache>Infinispan stores cache entries as byte[] arrays if you encode entries with binary storage formats, for example: application/x-protostream format.
In the following example, Infinispan performs eviction when the size of the data container reaches 500 MB (megabytes) in size and it gets a request to create a new entry:
<distributed-cache name="binary_storage">
  <!-- Encodes the cache with a binary storage format. -->
  <encoding media-type="application/x-protostream"/>
  <!-- Bounds the data container to a maximum size in MB (megabytes). -->
  <memory max-size="500 MB"/>
</distributed-cache>Infinispan stores cache entries as bytes in native memory. Eviction happens when there are 100 entries in the data container and Infinispan gets a request to create a new entry:
<distributed-cache name="off_heap">
  <memory storage="OFF_HEAP" max-count="100"/>
</distributed-cache>Infinispan stores cache entries as bytes in native memory. When there are 100 entries in the data container, and Infinispan gets a request to create a new entry, it throws an exception and does not allow the new entry:
<distributed-cache name="eviction_exception">
  <memory storage="OFF_HEAP" max-count="100" when-full="EXCEPTION"/>
</distributed-cache>Infinispan stores cache entries as objects in the JVM heap. Eviction is not enabled but performed manually using the evict() method.
| This configuration prevents a warning message when you enable passivation but do not configure eviction. | 
<distributed-cache name="eviction_manual">
  <memory when-full="MANUAL"/>
</distributed-cache>Passivation persists data to cache stores when Infinispan evicts entries. You should always enable eviction if you enable passivation, for example:
<distributed-cache name="passivation">
  <persistence passivation="true">
   <!-- Persistence configuration goes here. -->
  </persistence>
  <memory max-count="100"/>
</distributed-cache>5.1.2. Expiration
Expiration removes entries from caches when they reach one of the following time limits:
- Lifespan
- 
Sets the maximum amount of time that entries can exist. 
- Maximum idle
- 
Specifies how long entries can remain idle. If operations do not occur for entries, they become idle. Maximum idle expiration does not currently support cache configurations with persistent cache stores. When using expiration with an exception-based eviction policy, entries that are expired but not yet removed from the cache count towards the size of the data container. 
How Expiration Works
When you configure expiration, Infinispan stores keys with metadata that determines when entries expire.
- 
Lifespan uses a creationtimestamp and the value for thelifespanconfiguration property.
- 
Maximum idle uses a last usedtimestamp and the value for themax-idleconfiguration property.
Infinispan checks if lifespan or maximum idle metadata is set and then compares the values with the current time.
If (creation + lifespan < currentTime) or (lastUsed + maxIdle < currentTime) then Infinispan detects that the entry is expired.
Expiration occurs whenever entries are accessed or found by the expiration reaper.
For example, k1 reaches the maximum idle time and a client makes a
Cache.get(k1) request. In this case, Infinispan detects that the entry is
expired and removes it from the data container. The Cache.get() returns
null.
Infinispan also expires entries from cache stores, but only with lifespan expiration. Maximum idle expiration does not work with cache stores. In the case of cache loaders, Infinispan cannot expire entries because loaders can only read from external storage.
| Infinispan adds expiration metadata as  | 
Expiration Reaper
Infinispan uses a reaper thread that runs periodically to detect and remove expired entries. The expiration reaper ensures that expired entries that are no longer accessed are removed.
The Infinispan ExpirationManager interface handles the expiration reaper and
exposes the processExpiration() method.
In some cases, you can disable the expiration reaper and manually expire
entries by calling processExpiration(); for instance, if you are using local
cache mode with a custom application where a maintenance thread runs
periodically.
| If you use clustered cache modes, you should never disable the expiration reaper. Infinispan always uses the expiration reaper when using cache stores. In this case you cannot disable it. | 
Maximum Idle and Clustered Caches
Because maximum idle expiration relies on the last access time for cache entries, it has some limitations with clustered cache modes.
With lifespan expiration, the creation time for cache entries provides a value
that is consistent across clustered caches. For example, the creation time for
k1 is always the same on all nodes.
For maximum idle expiration with clustered caches, last access time for entries is not always the same on all nodes. To ensure that entries have the same relative access times across clusters, Infinispan sends touch commands to all owners when keys are accessed.
The touch commands that Infinispan send have the following considerations:
- 
Cache.get()requests do not return until all touch commands complete. This synchronous behavior increases latency of client requests.
- 
The touch command also updates the "recently accessed" metadata for cache entries on all owners, which Infinispan uses for eviction. 
- 
With scattered cache mode, Infinispan sends touch commands to all nodes, not just primary and backup owners. 
- 
Maximum idle expiration does not work with invalidation mode. 
- 
Iteration across a clustered cache can return expired entries that have exceeded the maximum idle time limit. This behavior ensures performance because no remote invocations are performed during the iteration. Also note that iteration does not refresh any expired entries. 
Expiration Examples
When you configure Infinispan to expire entries, you can set lifespan and maximum idle times for:
- 
All entries in a cache (cache-wide). You can configure cache-wide expiration in infinispan.xmlor programmatically using theConfigurationBuilder.
- 
Per entry, which takes priority over cache-wide expiration values. You configure expiration for specific entries when you create them. 
| When you explicitly define lifespan and maximum idle time values for cache entries, Infinispan replicates those values across the cluster along with the cache entries. Likewise, Infinispan persists expiration values along with the entries if you configure cache stores. | 
Expire all cache entries after 2 seconds:
<expiration lifespan="2000" />Expire all cache entries 1 second after last access time:
<expiration max-idle="1000" />Disable the expiration reaper with the interval attribute and manually expire
entries 1 second after last access time:
<expiration max-idle="1000" interval="-1" />Expire all cache entries after 5 seconds or 1 second after the last access time, whichever happens first:
<expiration lifespan="5000" max-idle="1000" />The following example shows how to configure lifespan and maximum idle values when creating cache entries:
// Use the cache-wide expiration configuration.
cache.put("pinot noir", pinotNoirPrice); (1)
// Define a lifespan value of 2.
cache.put("chardonnay", chardonnayPrice, 2, TimeUnit.SECONDS); (2)
// Define a lifespan value of -1 (disabled) and a max-idle value of 1.
cache.put("pinot grigio", pinotGrigioPrice,
          -1, TimeUnit.SECONDS, 1, TimeUnit.SECONDS); (3)
// Define a lifespan value of 5 and a max-idle value of 1.
cache.put("riesling", rieslingPrice,
          5, TimeUnit.SECONDS, 1, TimeUnit.SECONDS); (4)If the Infinispan configuration defines a lifespan value of 1000 for all
entries, the preceding Cache.put() requests cause the entries to expire:
| 1 | After 1 second. | 
| 2 | After 2 seconds. | 
| 3 | 1 second after last access time. | 
| 4 | After 5 seconds or 1 second after the last access time, whichever happens first. | 
5.2. Off-Heap Memory
Infinispan stores cache entries in JVM heap memory by default. You can configure Infinispan to use off-heap storage, which means your data occupies native memory outside the managed JVM memory space with the following benefits:
- 
Uses less memory than JVM heap memory for the same amount of data. 
- 
Can improve overall JVM performance by avoiding Garbage Collector (GC) runs. 
However, there are some trade-offs with off-heap storage; for example, JVM heap dumps do not show entries stored in off-heap memory.
The following diagram illustrates the memory space for a JVM process where Infinispan is running:
The heap is divided into young and old generations that help keep referenced Java objects and other application data in memory. The GC process reclaims space from unreachable objects, running more frequently on the young generation memory pool.
When Infinispan stores cache entries in JVM heap memory, GC runs can take longer to complete as you start adding data to your caches. Because GC is an intensive process, longer and more frequent runs can degrade application performance.
Off-heap memory is native available system memory outside JVM memory management.
The JVM memory space diagram shows the Metaspace memory pool that holds class metadata and is allocated from native memory.
The diagram also represents a section of native memory that holds Infinispan cache entries.
Storing data off-heap
When you add entries to off-heap caches, Infinispan dynamically allocates native memory to your data.
Infinispan hashes the serialized byte[] for each key into buckets that are similar to a standard Java HashMap.
Buckets include address pointers that Infinispan uses to locate entries that you store in off-heap memory.
| Infinispan determines equality of Java objects in off-heap storage using the serialized byte[] representation of each object instead of the object instance. | 
The following diagram shows a set of keys with names, the hash for each key and bucket array of address pointers, as well as the entries with the name and phone number:
When key hashes collide, Infinispan links entries.
In the Memory address pointers for keys diagram, if the William Clay and Luke Cage keys have the same hash, then the first entry added to the cache is the first element in the bucket.
| Even though Infinispan stores cache entries in native memory, run-time operations require JVM heap representations of those objects.
For instance,  | 
Memory overhead
Memory overhead is the additional memory that Infinispan uses to store entries. For off-heap storage, Infinispan uses 25 bytes for each entry in the cache.
When you use eviction to create a bounded off-heap data container, memory overhead increases to a total of 61 bytes because Infinispan creates an additional linked list to track entries in the cache and perform eviction.
Data consistency
Infinispan uses an array of locks to protect off-heap address spaces.
The number of locks is twice the number of cores and then rounded to the nearest power of two.
This ensures that there is an even distribution of ReadWriteLock instances to prevent write operations from blocking read operations.
5.2.1. Using Off-Heap Memory
Configure Infinispan to store cache entries in native memory outside the JVM heap space.
- 
Modify your cache configuration to use off-heap memory. - 
Declarative: Add the storage="OFF_HEAP"attribute to thememoryelement.
- 
Programmatic: Call the storage(OFF_HEAP)method in theMemoryConfigurationBuilderclass.
 
- 
- 
Limit the amount of off-heap memory that the cache can use by configuring either max-countormax-sizeeviction.
Off-heap memory bounded by size
<distributed-cache name="off_heap" mode="SYNC">
  <memory storage="OFF_HEAP"
          max-size="1.5GB"
          when-full="REMOVE"/>
</distributed-cache>ConfigurationBuilder cfg = new ConfigurationBuilder();
cfg
  .memory()
    .storage(StorageType.OFF_HEAP)
    .maxSize("1.5GB")
    .whenFull(EvictionStrategy.REMOVE)
  .build());Off-heap memory bounded by total number of entries
<distributed-cache name="off_heap" mode="SYNC">
  <memory storage="OFF_HEAP"
          max-count="500"
          when-full="REMOVE"/>
</distributed-cache>ConfigurationBuilder cfg = new ConfigurationBuilder();
cfg
  .memory()
    .storage(StorageType.OFF_HEAP)
    .maxCount(500)
    .whenFull(EvictionStrategy.REMOVE)
  .build());6. Configuring Statistics, Metrics, and JMX
Enable statistics that Infinispan exports to a metrics endpoint or via JMX MBeans. You can also register JMX MBeans to perform management operations.
6.1. Enabling Infinispan Statistics
Configure Infinispan to export statistics for Cache Managers and caches.
Modify your configuration to enable Infinispan statistics in one of the following ways:
- 
Declarative: Add the statistics="true"attribute.
- 
Programmatic: Call the .statistics()method.
<!-- Enables statistics for the Cache Manager. -->
<cache-container statistics="true">
  <!-- Enables statistics for the named cache. -->
  <local-cache name="mycache" statistics="true"/>
</cache-container>GlobalConfiguration globalConfig = new GlobalConfigurationBuilder()
  //Enables statistics for the Cache Manager.
  .cacheContainer().statistics(true)
  .build();
Configuration config = new ConfigurationBuilder()
  //Enables statistics for the named cache.
  .statistics().enable()
  .build();6.2. Configuring Infinispan Metrics
Configure Infinispan to export gauges and histograms via the metrics endpoint.
- 
Turn gauges and histograms on or off in the metricsconfiguration as appropriate.
<!-- Computes and collects statistics for the Cache Manager. -->
<cache-container statistics="true">
  <!-- Exports collected statistics as gauge and histogram metrics. -->
  <metrics gauges="true" histograms="true" />
</cache-container>GlobalConfiguration globalConfig = new GlobalConfigurationBuilder()
  //Computes and collects statistics for the Cache Manager.
  .statistics().enable()
  //Exports collected statistics as gauge and histogram metrics.
  .metrics().gauges(true).histograms(true)
  .build();6.2.1. Infinispan Metrics
Infinispan is compatible with the Eclipse MicroProfile Metrics API and can generate gauge and histogram metrics.
- 
Infinispan metrics are provided at the vendorscope. Metrics related to the JVM are provided in thebasescope for Infinispan server.
- 
Gauges provide values such as the average number of nanoseconds for write operations or JVM uptime. Gauges are enabled by default. If you enable statistics, Infinispan automatically generates gauges. 
- 
Histograms provide details about operation execution times such as read, write, and remove times. Infinispan does not enable histograms by default because they require additional computation. 
6.3. Configuring Infinispan to Register JMX MBeans
Infinispan can register JMX MBeans that you can use to collect statistics and
perform administrative operations.
You must enable statistics separately to JMX otherwise Infinispan provides 0 values for all statistic attributes.
Modify your cache container configuration to enable JMX in one of the following ways:
- 
Declarative: Add the <jmx enabled="true" />element to the cache container.
- 
Programmatic: Call the .jmx().enable()method.
<cache-container>
  <jmx enabled="true" />
</cache-container>GlobalConfiguration globalConfig = new GlobalConfigurationBuilder()
  .jmx().enable()
  .build();6.3.1. Naming Multiple Cache Managers
In cases where multiple Infinispan Cache Managers run on the same JVM, you should uniquely identify each Cache Manager to prevent conflicts.
- 
Uniquely identify each cache manager in your environment. 
For example, the following examples specify "Hibernate2LC" as the cache manager
name, which results in a JMX MBean named org.infinispan:type=CacheManager,name="Hibernate2LC".
<cache-container name="Hibernate2LC">
  <jmx enabled="true" />
  ...
</cache-container>GlobalConfiguration globalConfig = new GlobalConfigurationBuilder()
  .cacheManagerName("Hibernate2LC")
  .jmx().enable()
  .build();6.3.2. Registering MBeans In Custom MBean Servers
Infinispan includes an MBeanServerLookup interface that you can use to
register MBeans in custom MBeanServer instances.
- 
Create an implementation of MBeanServerLookupso that thegetMBeanServer()method returns the custom MBeanServer instance.
- 
Configure Infinispan with the fully qualified name of your class, as in the following example: 
<cache-container>
   <jmx enabled="true" mbean-server-lookup="com.acme.MyMBeanServerLookup" />
</cache-container>GlobalConfiguration globalConfig = new GlobalConfigurationBuilder()
  .jmx().enable().mBeanServerLookup(new com.acme.MyMBeanServerLookup())
  .build();6.3.3. Infinispan MBeans
Infinispan exposes JMX MBeans that represent manageable resources.
- org.infinispan:type=Cache
- 
Attributes and operations available for cache instances. 
- org.infinispan:type=CacheManager
- 
Attributes and operations available for cache managers, including Infinispan cache and cluster health statistics. 
For a complete list of available JMX MBeans along with descriptions and available operations and attributes, see the Infinispan JMX Components documentation.
7. Setting Up Persistent Storage
Infinispan can persist in-memory data to external storage, giving you additional capabilities to manage your data such as:
- Durability
- 
Adding cache stores allows you to persist data to non-volatile storage so it survives restarts. 
- Write-through caching
- 
Configuring Infinispan as a caching layer in front of persistent storage simplifies data access for applications because Infinispan handles all interactions with the external storage. 
- Data overflow
- 
Using eviction and passivation techniques ensures that Infinispan keeps only frequently used data in-memory and writes older entries to persistent storage. 
7.1. Infinispan Cache Stores
Cache stores connect Infinispan to persistent data sources and implement the
NonBlockingStore interface.
7.1.1. Configuring Cache Stores
Add cache stores to Infinispan caches in a chain either declaratively or programmatically. Cache read operations check each cache store in the configured order until they locate a valid non-null element of data. Write operations affect all cache stores except for those that you configure as read only.
- 
Use the persistenceparameter to configure the persistence layer for caches.
- 
Configure whether cache stores are local to the node or shared across the cluster. Use either the sharedattribute declaratively or theshared(false)method programmatically.
- 
Configure other cache stores properties as appropriate. Custom cache stores can also include propertyparameters.Configuring cache stores as shared or not shared (local only) determines which parameters you should set. In some cases, using the wrong combination of parameters in your cache store configuration can lead to data loss or performance issues. For example, if the cache store is local to a node then it makes sense to fetch state and purge on startup. However, if the cache store is shared, then you should not fetch state or purge on startup. 
<persistence passivation="false">
   <file-store shared="false"
               path="${java.io.tmpdir}">
      <write-behind modification-queue-size="123" />
   </file-store>
</persistence><local-cache name="myCustomStore">
   <persistence passivation="false">
      <!-- Specifies the fully qualified class name of a custom cache store. -->
      <store class="org.acme.CustomStore"
             shared="true"
             segmented="true">
         <write-behind modification-queue-size="123" />
         <!-- Sets system properties for the custom cache store. -->
         <property name="myProp">${system.property}</property>
      </store>
   </persistence>
</local-cache>ConfigurationBuilder builder = new ConfigurationBuilder();
builder.persistence()
      .passivation(false)
      .addSingleFileStore()
         .preload(true)
         .shared(false)
         .location(System.getProperty("java.io.tmpdir"))
         .async()
            .enabled(true)7.1.2. Setting a Global Persistent Location for File-Based Cache Stores
Infinispan uses a global filesystem location for saving data to persistent storage.
| The global persistent location must be unique to each Infinispan instance. To share data between multiple instances, use a shared persistent location. | 
Infinispan servers use the $ISPN_HOME/server/data directory as the global
persistent location.
If you are using Infinispan as a library embedded in custom applications and global-state is enabled, the
global persistent location defaults to the user.dir system property. This
system property typically uses the directory where your application starts. You
should configure a global persistent location to use a suitable location.
<cache-container default-cache="myCache">
   <global-state>
      <persistent-location path="example" relative-to="my.data"/>
   </global-state>
   ...
</cache-container>new GlobalConfigurationBuilder().globalState().enable().persistentLocation("example", "my.data");When using file-based cache stores, you can optionally specify filesystem directories for storage. Unless absolute paths are declared, directories are always relative to the global persistent location.
For example, you configure your global persistent location as follows:
<global-state>
   <persistent-location path="/tmp/example" relative-to="my.data"/>
</global-state>You then configure a Single File cache store that uses a path named
myDataStore as follows:
<file-store path="myDataStore"/>In this case, the configuration results in a Single File cache store in /tmp/example/myDataStore/myCache.dat
If you attempt to set an absolute path that resides outside the global persistent location and global-state is enabled, Infinispan throws the following exception:
ISPN000558: "The store location 'foo' is not a child of the global persistent location 'bar'"
7.1.3. Passivation
Passivation configures Infinispan to write entries to cache stores when it evicts those entries from memory. In this way, passivation ensures that only a single copy of an entry is maintained, either in-memory or in a cache store, which prevents unnecessary and potentially expensive writes to persistent storage.
Activation is the process of restoring entries to memory from the cache store
when there is an attempt to access passivated entries. For this reason, when you
enable passivation, you must configure cache stores that implement both
CacheWriter and CacheLoader interfaces so they can write and load entries
from persistent storage.
When Infinispan evicts an entry from the cache, it notifies cache listeners that the entry is passivated then stores the entry in the cache store. When Infinispan gets an access request for an evicted entry, it lazily loads the entry from the cache store into memory and then notifies cache listeners that the entry is activated.
| 
 If you enable passivation with transactional stores or shared stores, Infinispan throws an exception. | 
Passivation and Cache Stores
Writes to data in memory result in writes to persistent storage.
If Infinispan evicts data from memory, then data in persistent storage includes entries that are evicted from memory. In this way persistent storage is a superset of the in-memory cache.
If you do not configure eviction, then data in persistent storage provides a copy of data in memory.
Infinispan adds data to persistent storage only when it evicts data from memory.
When Infinispan activates entries, it restores data in memory and deletes data from persistent storage. In this way, data in memory and data in persistent storage form separate subsets of the entire data set, with no intersection between the two.
| Entries in persistent storage can become stale when using shared cache stores. This occurs because Infinispan does not delete passivated entries from shared cache stores when they are activated. Values are updated in memory but previously passivated entries remain in persistent storage with out of date values. | 
The following table shows data in memory and in persistent storage after a series of operations:
| Operation | Passivation disabled | Passivation enabled | Passivation enabled with shared cache store | 
|---|---|---|---|
| Insert k1. | Memory: k1 | Memory: k1 | Memory: k1 | 
| Insert k2. | Memory: k1, k2 | Memory: k1, k2 | Memory: k1, k2 | 
| Eviction thread runs and evicts k1. | Memory: k2 | Memory: k2 | Memory: k2 | 
| Read k1. | Memory: k1, k2 | Memory: k1, k2 | Memory: k1, k2 | 
| Eviction thread runs and evicts k2. | Memory: k1 | Memory: k1 | Memory: k1 | 
| Remove k2. | Memory: k1 | Memory: k1 | Memory: k1 | 
7.1.4. Cache Loaders and Transactional Caches
Only JDBC String-Based cache stores support transactional operations. If you
configure caches as transactional, you should set transactional=true to keep
data in persistent storage synchronized with data in memory.
For all other cache stores, Infinispan does not enlist cache loaders in transactional operations. This can result in data inconsistency if transactions succeed in modifying data in memory but do not completely apply changes to data in the cache store. In this case manual recovery does not work with cache stores.
7.1.5. Segmented Cache Stores
Cache stores can organize data into hash space segments to which keys map.
Segmented stores increase read performance for bulk operations; for example,
streaming over data (Cache.size, Cache.entrySet.stream), pre-loading the
cache, and doing state transfer operations.
However, segmented stores can also result in loss of performance for write operations. This performance loss applies particularly to batch write operations that can take place with transactions or write-behind stores. For this reason, you should evaluate the overhead for write operations before you enable segmented stores. The performance gain for bulk read operations might not be acceptable if there is a significant performance loss for write operations.
| The number of segments you configure for cache stores must match the number of
segments you define in the Infinispan configuration with the
 If you change the  | 
7.1.6. Filesystem-Based Cache Stores
In most cases, filesystem-based cache stores are appropriate for local cache stores for data that overflows from memory because it exceeds size and/or time restrictions.
| You should not use filesystem-based cache stores on shared file systems such as an NFS, Microsoft Windows, or Samba share. Shared file systems do not provide file locking capabilities, which can lead to data corruption. Likewise, shared file systems are not transactional. If you attempt to use transactional caches with shared file systems, unrecoverable failures can happen when writing to files during the commit phase. | 
7.1.7. Write-Through
Write-Through is a cache writing mode where writes to memory and writes to
cache stores are synchronous. When a client application updates a cache entry,
in most cases by invoking Cache.put(), Infinispan does not return the call
until it updates the cache store. This cache writing mode results in updates to
the cache store concluding within the boundaries of the client thread.
The primary advantage of Write-Through mode is that the cache and cache store are updated simultaneously, which ensures that the cache store is always consistent with the cache.
However, Write-Through mode can potentially decrease performance because the need to access and update cache stores directly adds latency to cache operations.
Infinispan defaults to Write-Through mode unless you explicitly configure Write-Behind mode on cache stores.
<persistence passivation="false">
   <file-store fetch-state="true"
               read-only="false"
               purge="false" path="${java.io.tmpdir}"/>
</persistence>7.1.8. Write-Behind
Write-Behind is a cache writing mode where writes to memory are synchronous and writes to cache stores are asynchronous.
When clients send write requests, Infinispan adds those operations to a modification queue. Infinispan processes operations as they join the queue so that the calling thread is not blocked and the operation completes immediately.
If the number of write operations in the modification queue increases beyond the size of the queue, Infinispan adds those additional operations to the queue. However, those operations do not complete until Infinispan processes operations that are already in the queue.
For example, calling Cache.putAsync returns immediately and the Stage also
completes immediately if the modification queue is not full. If the
modification queue is full, or if Infinispan is currently processing a batch
of write operations, then Cache.putAsync returns immediately and the Stage
completes later.
Write-Behind mode provides a performance advantage over Write-Through mode because cache operations do not need to wait for updates to the underlying cache store to complete. However, data in the cache store remains inconsistent with data in the cache until the modification queue is processed. For this reason, Write-Behind mode is suitable for cache stores with low latency, such as unshared and local filesystem-based cache stores, where the time between the write to the cache and the write to the cache store is as small as possible.
<persistence passivation="false">
   <file-store fetch-state="true"
               read-only="false"
               purge="false" path="${java.io.tmpdir}">
   <write-behind modification-queue-size="123"
                 fail-silently="true"/>
   </file-store>
</persistence>The preceding configuration example uses the fail-silently parameter to
control what happens when either the cache store is unavailable or the
modification queue is full.
- 
If fail-silently="true"then Infinispan logs WARN messages and rejects write operations.
- 
If fail-silently="false"then Infinispan throws exceptions if it detects the cache store is unavailable during a write operation. Likewise if the modification queue becomes full, Infinispan throws an exception.In some cases, data loss can occur if Infinispan restarts and write operations exist in the modification queue. For example the cache store goes offline but, during the time it takes to detect that the cache store is unavailable, write operations are added to the modification queue because it is not full. If Infinispan restarts or otherwise becomes unavailable before the cache store comes back online, then the write operations in the modification queue are lost because they were not persisted. 
7.2. Cache Store Implementations
Infinispan provides several cache store implementations that you can use. Alternatively you can provide custom cache stores.
7.2.1. Cluster Cache Loaders
ClusterCacheLoader retrieves data from other Infinispan cluster members but
does not persist data. In other words, ClusterCacheLoader is not a cache
store.
ClusterCacheLoader provides a non-blocking partial alternative to state
transfer. ClusterCacheLoader fetches keys from other nodes on demand if those
keys are not available on the local node, which is similar to lazily loading
cache content.
The following points also apply to ClusterCacheLoader:
- 
Preloading does not take effect ( preload=true).
- 
Fetching persistent state is not supported ( fetch-state=true).
- 
Segmentation is not supported. 
| The ClusterLoaderhas been deprecated and will be removed in a future release. | 
<persistence>
   <cluster-loader remote-timeout="500"/>
</persistence>ConfigurationBuilder b = new ConfigurationBuilder();
b.persistence()
    .addClusterLoader()
    .remoteCallTimeout(500);7.2.2. Single File Cache Stores
Single File cache stores, SingleFileStore, persist data to file. Infinispan
also maintains an in-memory index of keys while keys and values are stored in
the file. By default, Single File cache stores are segmented, which means that
Infinispan creates a separate file for each segment.
Because SingleFileStore keeps an in-memory index of keys and the location of
values, it requires additional memory, depending on the key size and the number
of keys. For this reason, SingleFileStore is not recommended for use cases
where the keys have a large size.
In some cases, SingleFileStore can also become fragmented. If the size of
values continually increases, available space in the single file is not used
but the entry is appended to the end of the file. Available space in the file
is used only if an entry can fit within it. Likewise, if you remove all entries
from memory, the single file store does not decrease in size or become
defragmented.
<persistence>
   <file-store max-entries="5000"/>
</persistence>- 
For embedded deployments, do the following: 
ConfigurationBuilder b = new ConfigurationBuilder();
b.persistence()
    .addSingleFileStore()
    .maxEntries(5000);- 
For server deployments, do the following: 
import org.infinispan.client.hotrod.configuration.ConfigurationBuilder;
import org.infinispan.client.hotrod.configuration.NearCacheMode;
...
ConfigurationBuilder builder = new ConfigurationBuilder();
builder
  .remoteCache("mycache")
    .configuration("<distributed-cache name=\"mycache\"><persistence><file-store max-entries=\"5000\"/></persistence></distributed-cache>");Single File cache stores support segmentation and create a separate instance per segment, which results in multiple directories in the path you configure. Each directory is a number that represents the segment to which the data maps.
7.2.3. JDBC String-Based Cache Stores
JDBC String-Based cache stores, JdbcStringBasedStore, use JDBC drivers to load and store values in the underlying database.
JdbcStringBasedStore stores each entry in its own row in the table to
increase throughput for concurrent loads. JdbcStringBasedStore also uses a
simple one-to-one mapping that maps each key to a String object using the key-to-string-mapper interface.
Infinispan provides a default implementation, DefaultTwoWayKey2StringMapper,
that handles primitive types.
In addition to the data table used to store cache entries, the store also creates a _META table for storing metadata.
This table is used to ensure that any existing database content is compatible with the current Infinispan version and configuration.
| By default Infinispan shares are not stored, which means that all nodes in the cluster write to the underlying store on each update. If you want operations to write to the underlying database once only, you must configure JDBC store as shared. | 
JdbcStringBasedStore uses segmentation by default and requires a column in
the database table to represent the segments to which entries belong.
Connection Factories
JdbcStringBasedStore relies on a ConnectionFactory implementation to connection to a database.
Infinispan provides the following ConnectionFactory implementations:
PooledConnectionFactoryConfigurationBuilderA connection factory based on Agroal that you configure via PooledConnectionFactoryConfiguration.
Alternatively, you can specify configuration properties prefixed with org.infinispan.agroal. as in the following example:
org.infinispan.agroal.metricsEnabled=false
org.infinispan.agroal.minSize=10
org.infinispan.agroal.maxSize=100
org.infinispan.agroal.initialSize=20
org.infinispan.agroal.acquisitionTimeout_s=1
org.infinispan.agroal.validationTimeout_m=1
org.infinispan.agroal.leakTimeout_s=10
org.infinispan.agroal.reapTimeout_m=10
org.infinispan.agroal.metricsEnabled=false
org.infinispan.agroal.autoCommit=true
org.infinispan.agroal.jdbcTransactionIsolation=READ_COMMITTED
org.infinispan.agroal.jdbcUrl=jdbc:h2:mem:PooledConnectionFactoryTest;DB_CLOSE_DELAY=-1
org.infinispan.agroal.driverClassName=org.h2.Driver.class
org.infinispan.agroal.principal=sa
org.infinispan.agroal.credential=saYou then configure Infinispan to use your properties file via
PooledConnectionFactoryConfiguration.propertyFile.
| You should use  | 
ManagedConnectionFactoryConfigurationBuilderA connection factory that you can can use with managed environments such as
application servers. This connection factory can explore a configurable
location in the JNDI tree and delegate connection management to the
DataSource.
SimpleConnectionFactoryConfigurationBuilderA connection factory that creates database connections on a per invocation basis. You should use this connection factory for test or development environments only.
JDBC String-Based Cache Store Configuration
You can configure JdbcStringBasedStore programmatically or declaratively.
- 
Using PooledConnectionFactory
<persistence>
   <string-keyed-jdbc-store xmlns="urn:infinispan:config:store:jdbc:12.1" shared="true">
      <connection-pool connection-url="jdbc:h2:mem:infinispan_string_based;DB_CLOSE_DELAY=-1"
                       username="sa"
                       driver="org.h2.Driver"/>
      <string-keyed-table drop-on-exit="true"
                          prefix="ISPN_STRING_TABLE">
         <id-column name="ID_COLUMN" type="VARCHAR(255)" />
         <data-column name="DATA_COLUMN" type="BINARY" />
         <timestamp-column name="TIMESTAMP_COLUMN" type="BIGINT" />
         <segment-column name="SEGMENT_COLUMN" type="INT" />
      </string-keyed-table>
   </string-keyed-jdbc-store>
</persistence>- 
Using ManagedConnectionFactory
<persistence>
  <string-keyed-jdbc-store xmlns="urn:infinispan:config:store:jdbc:12.1" shared="true">
    <data-source jndi-url="java:/StringStoreWithManagedConnectionTest/DS" />
    <string-keyed-table drop-on-exit="true"
                        create-on-start="true"
                        prefix="ISPN_STRING_TABLE">
        <id-column name="ID_COLUMN" type="VARCHAR(255)" />
        <data-column name="DATA_COLUMN" type="BINARY" />
        <timestamp-column name="TIMESTAMP_COLUMN" type="BIGINT" />
        <segment-column name="SEGMENT_COLUMN" type="INT"/>
    </string-keyed-table>
  </string-keyed-jdbc-store>
</persistence>- 
Using PooledConnectionFactory
ConfigurationBuilder builder = new ConfigurationBuilder();
builder.persistence().addStore(JdbcStringBasedStoreConfigurationBuilder.class)
      .fetchPersistentState(false)
      .ignoreModifications(false)
      .purgeOnStartup(false)
      .shared(true)
      .table()
         .dropOnExit(true)
         .createOnStart(true)
         .tableNamePrefix("ISPN_STRING_TABLE")
         .idColumnName("ID_COLUMN").idColumnType("VARCHAR(255)")
         .dataColumnName("DATA_COLUMN").dataColumnType("BINARY")
         .timestampColumnName("TIMESTAMP_COLUMN").timestampColumnType("BIGINT")
         .segmentColumnName("SEGMENT_COLUMN").segmentColumnType("INT")
      .connectionPool()
         .connectionUrl("jdbc:h2:mem:infinispan_string_based;DB_CLOSE_DELAY=-1")
         .username("sa")
         .driverClass("org.h2.Driver");- 
Using ManagedConnectionFactory
ConfigurationBuilder builder = new ConfigurationBuilder();
builder.persistence().addStore(JdbcStringBasedStoreConfigurationBuilder.class)
      .fetchPersistentState(false)
      .ignoreModifications(false)
      .purgeOnStartup(false)
      .shared(true)
      .table()
         .dropOnExit(true)
         .createOnStart(true)
         .tableNamePrefix("ISPN_STRING_TABLE")
         .idColumnName("ID_COLUMN").idColumnType("VARCHAR(255)")
         .dataColumnName("DATA_COLUMN").dataColumnType("BINARY")
         .timestampColumnName("TIMESTAMP_COLUMN").timestampColumnType("BIGINT")
         .segmentColumnName("SEGMENT_COLUMN").segmentColumnType("INT")
      .dataSource()
         .jndiUrl("java:/StringStoreWithManagedConnectionTest/DS");7.2.4. JPA Cache Stores
JPA (Java Persistence API) cache stores, JpaStore, use formal schema to
persist data. Other applications can then read from persistent storage to load
data from Infinispan. However, other applications should not use persistent
storage concurrently with Infinispan.
When using JpaStore, you should take the following into consideration:
- 
Keys should be the ID of the entity. Values should be the entity object. 
- 
Only a single @Idor@EmbeddedIdannotation is allowed.
- 
Auto-generated IDs with the @GeneratedValueannotation are not supported.
- 
All entries are stored as immortal. 
- 
JpaStoredoes not support segmentation.
<local-cache name="vehicleCache">
   <persistence passivation="false">
      <jpa-store xmlns="urn:infinispan:config:store:jpa:12.1"
         persistence-unit="org.infinispan.persistence.jpa.configurationTest"
         entity-class="org.infinispan.persistence.jpa.entity.Vehicle">
                />
   </persistence>
</local-cache>| Parameter | Description | 
|---|---|
| 
 | Specifies the JPA persistence unit name in the JPA configuration file,  | 
| 
 | Specifies the fully qualified JPA entity class name that is expected to be stored in this cache. Only one class is allowed. | 
Configuration cacheConfig = new ConfigurationBuilder().persistence()
             .addStore(JpaStoreConfigurationBuilder.class)
             .persistenceUnitName("org.infinispan.loaders.jpa.configurationTest")
             .entityClass(User.class)
             .build();| Parameter | Description | 
|---|---|
| 
 | Specifies the JPA persistence unit name in the JPA configuration file,  | 
| 
 | Specifies the fully qualified JPA entity class name that is expected to be stored in this cache. Only one class is allowed. | 
JPA Cache Store Usage Example
This section provides an example for using JPA cache stores.
- 
Configure Infinispan to marshall your JPA entities. By default, Infinispan uses ProtoStream for marshalling Java objects. To marshall JPA entities, you must create a SerializationContextInitializerimplementation that registers a.protoschema and marshaller with aSerializationContext.
- 
Define a persistence unit "myPersistenceUnit" in persistence.xml.<persistence-unit name="myPersistenceUnit"> <!-- Persistence configuration goes here. --> </persistence-unit>
- 
Create a user entity class. @Entity public class User implements Serializable { @Id private String username; private String firstName; private String lastName; ... }
- 
Configure a cache named "usersCache" with a JPA cache store. Then you can configure a cache "usersCache" to use JPA Cache Store, so that when you put data into the cache, the data would be persisted into the database based on JPA configuration. EmbeddedCacheManager cacheManager = ...; Configuration cacheConfig = new ConfigurationBuilder().persistence() .addStore(JpaStoreConfigurationBuilder.class) .persistenceUnitName("org.infinispan.loaders.jpa.configurationTest") .entityClass(User.class) .build(); cacheManager.defineCache("usersCache", cacheConfig); Cache<String, User> usersCache = cacheManager.getCache("usersCache"); usersCache.put("raytsang", new User(...));- 
Caches that use a JPA cache store can store one type of data only, as in the following example: Cache<String, User> usersCache = cacheManager.getCache("myJPACache"); // Cache is configured for the User entity class usersCache.put("username", new User()); // Cannot configure caches to use another entity class with JPA cache stores Cache<Integer, Teacher> teachersCache = cacheManager.getCache("myJPACache"); teachersCache.put(1, new Teacher()); // The put request does not work for the Teacher entity class
- 
The @EmbeddedIdannotation allows you to use composite keys, as in the following example:@Entity public class Vehicle implements Serializable { @EmbeddedId private VehicleId id; private String color; ... } @Embeddable public class VehicleId implements Serializable { private String state; private String licensePlate; ... }
 
- 
7.2.5. Remote Cache Stores
Remote cache stores, RemoteStore, use the Hot Rod protocol to store data on
Infinispan clusters.
The following is an example RemoteStore configuration that stores data in a
cache named "mycache" on two Infinispan Server instances, named "one" and
"two":
| If you configure remote cache stores as shared you cannot preload data. In
other words if  | 
<persistence>
   <remote-store xmlns="urn:infinispan:config:store:remote:12.1" cache="mycache" raw-values="true">
      <remote-server host="one" port="12111" />
      <remote-server host="two" />
      <connection-pool max-active="10" exhausted-action="CREATE_NEW" />
      <write-behind />
   </remote-store>
</persistence>ConfigurationBuilder b = new ConfigurationBuilder();
b.persistence().addStore(RemoteStoreConfigurationBuilder.class)
      .fetchPersistentState(false)
      .ignoreModifications(false)
      .purgeOnStartup(false)
      .remoteCacheName("mycache")
      .rawValues(true)
.addServer()
      .host("one").port(12111)
      .addServer()
      .host("two")
      .connectionPool()
      .maxActive(10)
      .exhaustedAction(ExhaustedAction.CREATE_NEW)
      .async().enable();RemoteStore supports segmentation and can publish keys and entries by
segment, which makes bulk operations more efficient. However, segmentation is
available only with Infinispan Hot Rod protocol version 2.3 or later.
| When you enable segmentation for  If the source cache is segmented and uses a different number of segments than
 | 
7.2.6. RocksDB Cache Stores
RocksDB provides key-value filesystem-based storage with high performance and reliability for highly concurrent environments.
RocksDB cache stores, RocksDBStore, use two databases. One database provides
a primary cache store for data in memory; the other database holds entries that
Infinispan expires from memory.
<local-cache name="vehicleCache">
   <persistence>
      <rocksdb-store xmlns="urn:infinispan:config:store:rocksdb:12.1" path="rocksdb/data">
         <expiration path="rocksdb/expired"/>
      </rocksdb-store>
   </persistence>
</local-cache>Configuration cacheConfig = new ConfigurationBuilder().persistence()
                                .addStore(RocksDBStoreConfigurationBuilder.class)
                                .build();
EmbeddedCacheManager cacheManager = new DefaultCacheManager(cacheConfig);
Cache<String, User> usersCache = cacheManager.getCache("usersCache");
usersCache.put("raytsang", new User(...));Properties props = new Properties();
props.put("database.max_background_compactions", "2");
props.put("data.write_buffer_size", "512MB");
Configuration cacheConfig = new ConfigurationBuilder().persistence()
                                .addStore(RocksDBStoreConfigurationBuilder.class)
                                .location("rocksdb/data")
                                .expiredLocation("rocksdb/expired")
        .properties(props)
                                .build();| Parameter | Description | 
|---|---|
| 
 | Specifies the path to the RocksDB database that provides the primary cache store. If you do not set the location, it is automatically created. Note that the path must be relative to the global persistent location. | 
| 
 | Specifies the path to the RocksDB database that provides the cache store for expired data. If you do not set the location, it is automatically created. Note that the path must be relative to the global persistent location. | 
| 
 | Sets the size of the in-memory queue for expiring entries. When the queue reaches the size, Infinispan flushes the expired into the RocksDB cache store. | 
| 
 | Sets the maximum number of entries before deleting and re-initializing (re-init) the RocksDB database. For smaller size cache stores, iterating through all entries and removing each one individually can provide a faster method. | 
You can also specify the following RocksDB tuning parameters:
- 
compressionType
- 
blockSize
- 
cacheSize
Optionally set properties in the configuration as follows:
- 
Prefix properties with databaseto adjust and tune RocksDB databases.
- 
Prefix properties with datato configure the column families in which RocksDB stores your data.
<property name="database.max_background_compactions">2</property> <property name="data.write_buffer_size">64MB</property> <property name="data.compression_per_level">kNoCompression:kNoCompression:kNoCompression:kSnappyCompression:kZSTD:kZSTD</property>
RocksDBStore supports segmentation and creates a separate column family per
segment. Segmented RocksDB cache stores improve lookup performance
and iteration but slightly lower performance of write operations.
| You should not configure more than a few hundred segments. RocksDB is not designed to have an unlimited number of column families. Too many segments also significantly increases cache store start time. | 
7.2.7. Soft-Index File Stores
Soft-Index File cache stores, SoftIndexFileStore, provide local file-based
storage.
SoftIndexFileStore is a Java implementation that uses a variant of B+
Tree that is cached in-memory using Java soft references. The B+ Tree,
called Index is offloaded on the file system to a single file that is purged
and rebuilt each time the cache store restarts.
SoftIndexFileStore stores data in a set of files rather than a single file.
When usage of any file drops below 50%, the entries in the file are overwritten
to another file and the file is then deleted.
SoftIndexFileStore persists data in a set of files that are written in an
append-only method. For this reason, if you use SoftIndexFileStore on
conventional magnetic disk, it does not need to seek when writing a burst of
entries.
Most structures in SoftIndexFileStore are bounded, so out-of-memory
exceptions do not pose a risk. You can also configure limits for concurrently
open files.
By default the size of a node in the Index is limited to 4096 bytes. This
size also limits the key length; more precisely the length of serialized keys.
For this reason, you cannot use keys longer than the size of the node, 15
bytes. Additionally, key length is stored as "short", which limits key length
to 32767 bytes. SoftIndexFileStore throws an exception if keys are longer
after serialization occurs.
SoftIndexFileStore cannot detect expired entries, which can lead to excessive
usage of space on the file system .
| 
 | 
<persistence>
    <soft-index-file-store xmlns="urn:infinispan:config:store:soft-index:12.1">
        <index path="testCache/index" />
        <data path="testCache/data" />
    </soft-index-file-store>
</persistence>ConfigurationBuilder b = new ConfigurationBuilder();
b.persistence()
    .addStore(SoftIndexFileStoreConfigurationBuilder.class)
        .indexLocation("testCache/index");
        .dataLocation("testCache/data")Soft-Index File cache stores support segmentation and create a separate instance per segment, which results in multiple directories in the path you configure. Each directory is a number that represents the segment to which the data maps.
7.2.8. Implementing Custom Cache Stores
You can create custom cache stores through the Infinispan persistent SPI.
Infinispan Persistence SPI
The Infinispan Service Provider Interface (SPI) enables read and write
operations to external storage through the NonBlockingStore interface and has
the following features:
- Portability across JCache-compliant vendors
- 
Infinispan maintains compatibility between the NonBlockingStoreinterface and theJSR-107JCache specification by using an adapter that handles blocking code.
- Simplified transaction integration
- 
Infinispan automatically handles locking so your implementations do not need to coordinate concurrent access to persistent stores. Depending on the locking mode you use, concurrent writes to the same key generally do not occur. However, you should expect operations on the persistent storage to originate from multiple threads and create implementations to tolerate this behavior. 
- Parallel iteration
- 
Infinispan lets you iterate over entries in persistent stores with multiple threads in parallel. 
- Reduced serialization resulting in less CPU usage
- 
Infinispan exposes stored entries in a serialized format that can be transmitted remotely. For this reason, Infinispan does not need to deserialize entries that it retrieves from persistent storage and then serialize again when writing to the wire. 
Creating Cache Stores
Create custom cache stores by implementing the NonBlockingStore interface.
- 
Implement the appropriate Infinispan persistent SPIs. 
- 
Annotate your store class with the @ConfiguredByannotation if it has a custom configuration.
- 
Create a custom cache store configuration and builder if desired. - 
Extend AbstractStoreConfigurationandAbstractStoreConfigurationBuilder.
- 
Optionally add the following annotations to your store Configuration class to ensure that your custom configuration builder parses your cache store configuration from XML: - 
@ConfigurationFor
- 
@BuiltByIf you do not add these annotations, then CustomStoreConfigurationBuilderparses the common store attributes defined inAbstractStoreConfigurationand any additional elements are ignored.If a configuration does not declare the @ConfigurationForannotation, a warning message is logged when Infinispan initializes the cache.
 
- 
 
- 
Configuring Infinispan to Use Custom Stores
After you create your custom cache store implementation, configure Infinispan to use it.
<local-cache name="customStoreExample">
  <persistence>
    <store class="org.infinispan.persistence.dummy.DummyInMemoryStore" />
  </persistence>
</local-cache>Configuration config = new ConfigurationBuilder()
            .persistence()
            .addStore(CustomStoreConfigurationBuilder.class)
            .build();7.3. Migrating Between Cache Stores
Infinispan provides a utility to migrate data from one cache store to another.
7.3.1. Cache Store Migrator
Infinispan provides the StoreMigrator.java utility that recreates data for
the latest Infinispan cache store implementations.
StoreMigrator takes a cache store from a previous version of Infinispan as
source and uses a cache store implementation as target.
When you run StoreMigrator, it creates the target cache with the cache store
type that you define using the EmbeddedCacheManager interface. StoreMigrator
then loads entries from the source store into memory and then puts them into
the target cache.
StoreMigrator also lets you migrate data from one type of cache store to
another. For example, you can migrate from a JDBC String-Based cache store to a
Single File cache store.
| 
 
 | 
7.3.2. Getting the Store Migrator
StoreMigrator is available as part of the Infinispan tools library,
infinispan-tools, and is included in the Maven repository.
- 
Configure your pom.xmlforStoreMigratoras follows:<?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <groupId>org.infinispan.example</groupId> <artifactId>jdbc-migrator-example</artifactId> <version>1.0-SNAPSHOT</version> <dependencies> <dependency> <groupId>org.infinispan</groupId> <artifactId>infinispan-tools</artifactId> </dependency> <!-- Additional dependencies --> </dependencies> <build> <plugins> <plugin> <groupId>org.codehaus.mojo</groupId> <artifactId>exec-maven-plugin</artifactId> <version>1.2.1</version> <executions> <execution> <goals> <goal>java</goal> </goals> </execution> </executions> <configuration> <mainClass>org.infinispan.tools.store.migrator.StoreMigrator</mainClass> <arguments> <argument>path/to/migrator.properties</argument> </arguments> </configuration> </plugin> </plugins> </build> </project>
7.3.3. Configuring the Store Migrator
Set properties for source and target cache stores in a migrator.properties
file.
- 
Create a migrator.propertiesfile.
- 
Configure the source cache store in migrator.properties.- 
Prepend all configuration properties with source.as in the following example:source.type=SOFT_INDEX_FILE_STORE source.cache_name=myCache source.location=/path/to/source/sifs 
 
- 
- 
Configure the target cache store in migrator.properties.- 
Prepend all configuration properties with target.as in the following example:target.type=SINGLE_FILE_STORE target.cache_name=myCache target.location=/path/to/target/sfs.dat 
 
- 
Store Migrator Properties
Configure source and target cache stores in a StoreMigrator properties.
| Property | Description | Required/Optional | 
|---|---|---|
| 
 | Specifies the type of cache store type for a source or target. 
 
 
 
 
 
 
 
 | Required | 
| Property | Description | Example Value | Required/Optional | 
|---|---|---|---|
| 
 | Names the cache that the store backs. | 
 | Required | 
| 
 | Specifies the number of segments for target cache stores that can use segmentation. The number of segments must match  In other words, the number of segments for a cache store must match the number of segments for the corresponding cache. If the number of segments is not the same, Infinispan cannot read data from the cache store. | 
 | Optional | 
| Property | Description | Required/Optional | 
|---|---|---|
| 
 | Specifies the dialect of the underlying database. | Required | 
| 
 | Specifies the marshaller version for source cache stores. Set one of the following values: *  *  *  | Required for source stores only. For example:  | 
| 
 | Specifies a custom marshaller class. | Required if using custom marshallers. | 
| 
 | Specifies a comma-separated list of custom  | Optional | 
| 
 | Specifies the JDBC connection URL. | Required | 
| 
 | Specifies the class of the JDBC driver. | Required | 
| 
 | Specifies a database username. | Required | 
| 
 | Specifies a password for the database username. | Required | 
| 
 | Sets the database major version. | Optional | 
| 
 | Sets the database minor version. | Optional | 
| 
 | Disables database upsert. | Optional | 
| 
 | Specifies if table indexes are created. | Optional | 
| 
 | Specifies additional prefixes for the table name. | Optional | 
| 
 | Specifies the column name. | Required | 
| 
 | Specifies the column type. | Required | 
| 
 | Specifies the  | Optional | 
| To migrate from Binary cache stores in older Infinispan versions, change
 
 | 
# Example configuration for migrating to a JDBC String-Based cache store target.type=STRING target.cache_name=myCache target.dialect=POSTGRES target.marshaller.class=org.example.CustomMarshaller target.marshaller.externalizers=25:Externalizer1,org.example.Externalizer2 target.connection_pool.connection_url=jdbc:postgresql:postgres target.connection_pool.driver_class=org.postrgesql.Driver target.connection_pool.username=postgres target.connection_pool.password=redhat target.db.major_version=9 target.db.minor_version=5 target.db.disable_upsert=false target.db.disable_indexing=false target.table.string.table_name_prefix=tablePrefix target.table.string.id.name=id_column target.table.string.data.name=datum_column target.table.string.timestamp.name=timestamp_column target.table.string.id.type=VARCHAR target.table.string.data.type=bytea target.table.string.timestamp.type=BIGINT target.key_to_string_mapper=org.infinispan.persistence.keymappers. DefaultTwoWayKey2StringMapper
| Property | Description | Required/Optional | 
|---|---|---|
| 
 | Sets the database directory. | Required | 
| 
 | Specifies the compression type to use. | Optional | 
# Example configuration for migrating from a RocksDB cache store. source.type=ROCKSDB source.cache_name=myCache source.location=/path/to/rocksdb/database source.compression=SNAPPY
| Property | Description | Required/Optional | 
|---|---|---|
| 
 | Sets the directory that contains the cache store  | Required | 
# Example configuration for migrating to a Single File cache store. target.type=SINGLE_FILE_STORE target.cache_name=myCache target.location=/path/to/sfs.dat
| Property | Description | Value | 
|---|---|---|
| Required/Optional | 
 | Sets the database directory. | 
| Required | 
 | Sets the database index directory. | 
# Example configuration for migrating to a Soft-Index File cache store. target.type=SOFT_INDEX_FILE_STORE target.cache_name=myCache target.location=path/to/sifs/database target.location=path/to/sifs/index
7.3.4. Migrating Cache Stores
Run StoreMigrator to migrate data from one cache store to another.
- 
Get infinispan-tools.jar.
- 
Create a migrator.propertiesfile that configures the source and target cache stores.
- 
If you build infinispan-tools.jarfrom source, do the following:- 
Add infinispan-tools.jarand dependencies for your source and target databases, such as JDBC drivers, to your classpath.
- 
Specify migrator.propertiesfile as an argument forStoreMigrator.
 
- 
- 
If you pull infinispan-tools.jarfrom the Maven repository, run the following command:mvn exec:java
8. Setting Up Partition Handling
8.1. Partition handling
An Infinispan cluster is built out of a number of nodes where data is stored. In order
not to lose data in the presence of node failures, Infinispan copies the same data — cache
entry in Infinispan parlance — over multiple nodes. This level of data redundancy is
configured through the numOwners configuration attribute and ensures that as long as
fewer than numOwners nodes crash simultaneously, Infinispan has a copy of the data
available.
However, there might be catastrophic situations in which more than numOwners nodes
disappear from the cluster:
- Split brain
- 
Caused e.g. by a router crash, this splits the cluster in two or more partitions, or sub-clusters that operate independently. In these circumstances, multiple clients reading/writing from different partitions see different versions of the same cache entry, which for many application is problematic. Note there are ways to alleviate the possibility for the split brain to happen, such as redundant networks or IP bonding. These only reduce the window of time for the problem to occur, though. 
- numOwnersnodes crash in sequence
- 
When at least numOwnersnodes crash in rapid succession and Infinispan does not have the time to properly rebalance its state between crashes, the result is partial data loss.
The partition handling functionality discussed in this section allows the user to configure what operations can be performed on a cache in the event of a split brain occurring. Infinispan provides multiple partition handling strategies, which in terms of Brewer’s CAP theorem determine whether availability or consistency is sacrificed in the presence of partition(s). Below is a list of the provided strategies:
| Strategy | Description | CAP | 
|---|---|---|
| DENY_READ_WRITES | If the partition does not have all owners for a given segment, both reads and writes are denied for all keys in that segment. | Consistency | 
| ALLOW_READS | Allows reads for a given key if it exists in this partition, but only allows writes if this partition contains all owners of a segment. This is still a consistent approach because some entries are readable if available in this partition, but from a client application perspective it is not deterministic. | Consistency | 
| ALLOW_READ_WRITES | Allow entries on each partition to diverge, with conflict resolution attempted upon the partitions merging. | Availability | 
The requirements of your application should determine which strategy is appropriate. For example, DENY_READ_WRITES is more appropriate for applications that have high consistency requirements; i.e. when the data read from the system must be accurate. Whereas if Infinispan is used as a best-effort cache, partitions maybe perfectly tolerable and the ALLOW_READ_WRITES might be more appropriate as it favours availability over consistency.
The following sections describe how Infinispan handles split brain and successive failures for each of the partition handling strategies. This is followed by a section describing how Infinispan allows for automatic conflict resolution upon partition merges via merge policies. Finally, we provide a section describing how to configure partition handling strategies and merge policies.
8.1.1. Split brain
In a split brain situation, each network partition will install its own JGroups view, removing the nodes from the other partition(s). We don’t have a direct way of determining whether the has been split into two or more partitions, since the partitions are unaware of each other. Instead, we assume the cluster has split when one or more nodes disappear from the JGroups cluster without sending an explicit leave message.
Split Strategies
In this section, we detail how each partition handling strategy behaves in the event of split brain occurring.
ALLOW_READ_WRITES
Each partition continues to function as an independent cluster, with all partitions remaining in AVAILABLE mode. This means that each partition may only see a part of the data, and each partition could write conflicting updates in the cache. During a partition merge these conflicts are automatically resolved by utilising the ConflictManager and the configured EntryMergePolicy.
DENY_READ_WRITES
When a split is detected each partition does not start a rebalance immediately, but first it checks whether it should enter DEGRADED mode instead:
- 
If at least one segment has lost all its owners (meaning at least numOwners nodes left since the last rebalance ended), the partition enters DEGRADED mode. 
- 
If the partition does not contain a simple majority of the nodes (floor(numNodes/2) + 1) in the latest stable topology, the partition also enters DEGRADED mode. 
- 
Otherwise the partition keeps functioning normally, and it starts a rebalance. 
The stable topology is updated every time a rebalance operation ends and the coordinator determines that another rebalance is not necessary.
These rules ensures that at most one partition stays in AVAILABLE mode, and the other partitions enter DEGRADED mode.
When a partition is in DEGRADED mode, it only allows access to the keys that are wholly owned:
- 
Requests (reads and writes) for entries that have all the copies on nodes within this partition are honoured. 
- 
Requests for entries that are partially or totally owned by nodes that disappeared are rejected with an AvailabilityException.
This guarantees that partitions cannot write different values for the same key (cache is consistent), and also that one partition can not read keys that have been updated in the other partitions (no stale data).
To exemplify, consider the initial cluster M = {A, B, C, D}, configured in distributed
mode with numOwners = 2.
Further on, consider three keys k1, k2 and k3 (that might exist in the cache or not)
such that owners(k1) = {A,B}, owners(k2) = {B,C} and owners(k3) = {C,D}.
Then the network splits in two partitions, N1 = {A, B} and N2 = {C, D}, they enter
DEGRADED mode and behave like this:
- 
on N1,k1is available for read/write,k2(partially owned) andk3(not owned) are not available and accessing them results in anAvailabilityException
- 
on N2,k1andk2are not available for read/write,k3is available
A relevant aspect of the partition handling process is the fact that when a
split brain happens, the resulting partitions rely on the original segment
mapping (the one that existed before the split brain) in order
to calculate key ownership. So it doesn’t matter if k1, k2, or k3 already
existed cache or not, their availability is the same.
If at a further point in time the network heals and N1 and N2 partitions
merge back together into the initial cluster M, then M exits the degraded
mode and becomes fully available again. During this merge operation, because
M has once again become fully available, the ConflictManager
and the configured EntryMergePolicy are used to check for
any conflicts that may have occurred in the interim period between the split
brain occurring and being detected.
As another example, the cluster could split in two partitions O1 = {A, B, C}
and O2 = {D}, partition O1 will stay fully
available (rebalancing cache entries on the remaining members).
Partition O2, however, will detect a split and enter the degraded mode.
Since it doesn’t have any fully owned keys, it will reject any read or write
operation with an AvailabilityException.
If afterwards partitions O1 and O2 merge back into M, then the ConflictManager
attempts to resolve any conflicts and D once again becomes fully available.
Current limitations
Two partitions could start up isolated, and as long as they don’t merge they can read and write inconsistent data. In the future, we will allow custom availability strategies (e.g. check that a certain node is part of the cluster, or check that an external machine is accessible) that could handle that situation as well.
8.1.2. Successive nodes stopped
As mentioned in the previous section, Infinispan can’t detect whether a node left the JGroups view because of a process/machine crash, or because of a network failure: whenever a node leaves the JGroups cluster abruptly, it is assumed to be because of a network problem.
If the configured number of copies (numOwners) is greater than 1, the
cluster can remain available and will try to make new replicas of the data
on the crashed node. However, other nodes might crash during the rebalance process.
If more than numOwners nodes crash in a short interval of time, there is a
chance that some cache entries have disappeared from the cluster altogether.
In this case, with the DENY_READ_WRITES or ALLOW_READS strategy enabled, Infinispan
assumes (incorrectly) that there is a split brain and enters DEGRADED mode
as described in the split-brain section.
The administrator can also shut down more than numOwners nodes in
rapid succession, causing the loss of the data stored only on those nodes.
When the administrator shuts down a node gracefully, Infinispan knows that
the node can’t come back.
However, the cluster doesn’t keep track of how each node left, and the cache
still enters DEGRADED mode as if those nodes had crashed.
At this stage there is no way for the cluster to recover its state,
except stopping it and repopulating it on restart with the data from an
external source.
Clusters are expected to be configured with an appropriate numOwners in
order to avoid numOwners successive node failures, so this situation
should be pretty rare.
If the application can handle losing some of the data in the cache, the
administrator can force the availability mode back to AVAILABLE via JMX.
8.1.3. Conflict Manager
The conflict manager is a tool that allows users to retrieve all stored replica values for a given key. In addition to allowing users to process a stream of cache entries whose stored replicas have conflicting values. Furthermore, by utilising implementations of the EntryMergePolicy interface it is possible for said conflicts to be resolved automatically.
Detecting Conflicts
Conflicts are detected by retrieving each of the stored values for a given key. The conflict manager retrieves the value stored from each of the key’s write owners defined by the current consistent hash. The .equals method of the stored values is then used to determine whether all values are equal. If all values are equal then no conflicts exist for the key, otherwise a conflict has occurred. Note that null values are returned if no entry exists on a given node, therefore we deem a conflict to have occurred if both a null and non-null value exists for a given key.
Merge Policies
In the event of conflicts arising between one or more replicas of a given CacheEntry, it is necessary for a conflict resolution algorithm to be defined, therefore we provide the EntryMergePolicy interface. This interface consists of a single method, "merge", whose returned CacheEntry is utilised as the "resolved" entry for a given key. When a non-null CacheEntry is returned, this entries value is "put" to all replicas in the cache. However when the merge implementation returns a null value, all replicas associated with the conflicting key are removed from the cache.
The merge method takes two parameters: the "preferredEntry" and "otherEntries". In the context of a partition merge, the preferredEntry is the primary replica of a CacheEntry stored in the partition that contains the most nodes or if partitions are equal the one with the largest topologyId. In the event of overlapping partitions, i.e. a node A is present in the topology of both partitions {A}, {A,B,C}, we pick {A} as the preferred partition as it will have the higher topologId as the other partition’s topology is behind. When a partition merge is not occurring, the "preferredEntry" is simply the primary replica of the CacheEntry. The second parameter, "otherEntries" is simply a list of all other entries associated with the key for which a conflict was detected.
| EntryMergePolicy::merge is only called when a conflict has been detected, it is not called if all CacheEntrys are the same. | 
Currently Infinispan provides the following implementations of EntryMergePolicy:
| Policy | Description | 
|---|---|
| MergePolicy.NONE (default) | No attempt is made to resolve conflicts. Entries hosted on the minority partition are removed and the nodes in this partition do not hold any data until the rebalance starts. Note, this behaviour is equivalent to prior Infinispan versions which did not support conflict resolution. Note, in this case all changes made to entries hosted on the minority partition are lost, but once the rebalance has finished all entries will be consistent. | 
| MergePolicy.PREFERRED_ALWAYS | Always utilise the "preferredEntry". MergePolicy.NONE is almost equivalent to PREFERRED_ALWAYS, albeit without the performance impact of performing conflict resolution, therefore MergePolicy.NONE should be chosen unless the following scenario is a concern. When utilising the DENY_READ_WRITES or DENY_READ strategy, it is possible for a write operation to only partially complete when the partitions enter DEGRADED mode, resulting in replicas containing inconsistent values. MergePolicy.PREFERRED_ALWAYS will detect said inconsistency and resolve it, whereas with MergePolicy.NONE the CacheEntry replicas will remain inconsistent after the cluster has rebalanced. | 
| MergePolicy.PREFERRED_NON_NULL | Utilise the "preferredEntry" if it is non-null, otherwise utilise the first entry from "otherEntries". | 
| MergePolicy.REMOVE_ALL | Always remove a key from the cache when a conflict is detected. | 
| Fully qualified class name | The custom implementation for merge will be used Custom merge policy | 
8.1.4. Usage
During a partition merge the ConflictManager automatically attempts to resolve conflicts utilising the configured EntryMergePolicy, however it is also possible to manually search for/resolve conflicts as required by your application.
The code below shows how to retrieve an EmbeddedCacheManager’s ConflictManager, how to retrieve all versions of a given key and how to check for conflicts across a given cache.
EmbeddedCacheManager manager = new DefaultCacheManager("example-config.xml");
Cache<Integer, String> cache = manager.getCache("testCache");
ConflictManager<Integer, String> crm = ConflictManagerFactory.get(cache.getAdvancedCache());
// Get All Versions of Key
Map<Address, InternalCacheValue<String>> versions = crm.getAllVersions(1);
// Process conflicts stream and perform some operation on the cache
Stream<Map<Address, CacheEntry<Integer, String>>> conflicts = crm.getConflicts();
conflicts.forEach(map -> {
   CacheEntry<Integer, String> entry = map.values().iterator().next();
   Object conflictKey = entry.getKey();
   cache.remove(conflictKey);
});
// Detect and then resolve conflicts using the configured EntryMergePolicy
crm.resolveConflicts();
// Detect and then resolve conflicts using the passed EntryMergePolicy instance
crm.resolveConflicts((preferredEntry, otherEntries) -> preferredEntry);| Although the ConflictManager::getConflictsstream is processed per entry, the underlying spliterator is in
fact lazily-loading cache entries on a per segment basis. | 
8.1.5. Configuring partition handling
Unless the cache is distributed or replicated, partition handling configuration is ignored. The default partition handling strategy is ALLOW_READ_WRITES and the default EntryMergePolicy is MergePolicies::PREFERRED_ALWAYS.
<distributed-cache name="the-default-cache">
   <partition-handling when-split="ALLOW_READ_WRITES" merge-policy="PREFERRED_NON_NULL"/>
</distributed-cache>The same can be achieved programmatically:
ConfigurationBuilder dcc = new ConfigurationBuilder();
dcc.clustering().partitionHandling()
                    .whenSplit(PartitionHandling.ALLOW_READ_WRITES)
                    .mergePolicy(MergePolicy.PREFERRED_ALWAYS);Implement a custom merge policy
It’s also possible to provide custom implementations of the EntryMergePolicy
<distributed-cache name="mycache">
   <partition-handling when-split="ALLOW_READ_WRITES"
                       merge-policy="org.example.CustomMergePolicy"/>
</distributed-cache>ConfigurationBuilder dcc = new ConfigurationBuilder();
dcc.clustering().partitionHandling()
                    .whenSplit(PartitionHandling.ALLOW_READ_WRITES)
                    .mergePolicy(new CustomMergePolicy());public class CustomMergePolicy implements EntryMergePolicy<String, String> {
   @Override
   public CacheEntry<String, String> merge(CacheEntry<String, String> preferredEntry, List<CacheEntry<String, String>> otherEntries) {
      // decide which entry should be used
      return the_solved_CacheEntry;
   }Deploy custom merge policies to a Infinispan server instance
To utilise a custom EntryMergePolicy implementation on the server, it’s necessary for the implementation class(es) to be deployed to the server. This is accomplished by utilising the java service-provider convention and packaging the class files in a jar which has a META-INF/services/org.infinispan.conflict.EntryMergePolicy file containing the fully qualified class name of the EntryMergePolicy implementation.
# list all necessary implementations of EntryMergePolicy with the full qualified name org.example.CustomMergePolicy
In order for a Custom merge policy to be utilised on the server, you should enable object storage, if your policies semantics require access to the stored Key/Value objects. This is because cache entries in the server may be stored in a marshalled format and the Key/Value objects returned to your policy would be instances of WrappedByteArray. However, if the custom policy only depends on the metadata associated with a cache entry, then object storage is not required and should be avoided (unless needed for other reasons) due to the additional performance cost of marshalling data per request. Finally, object storage is never required if one of the provided merge policies is used.
8.1.6. Monitoring and administration
The availability mode of a cache is exposed in JMX as an attribute in the Cache MBean. The attribute is writable, allowing an administrator to forcefully migrate a cache from DEGRADED mode back to AVAILABLE (at the cost of consistency).
The availability mode is also accessible via the AdvancedCache interface:
AdvancedCache ac = cache.getAdvancedCache();
// Read the availability
boolean available = ac.getAvailability() == AvailabilityMode.AVAILABLE;
// Change the availability
if (!available) {
   ac.setAvailability(AvailabilityMode.AVAILABLE);
}