Class RedisIndexedSessionRepository

java.lang.Object
org.springframework.session.data.redis.RedisIndexedSessionRepository
All Implemented Interfaces:
org.springframework.beans.factory.DisposableBean, org.springframework.beans.factory.InitializingBean, org.springframework.data.redis.connection.MessageListener, FindByIndexNameSessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>, SessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>

public class RedisIndexedSessionRepository extends Object implements FindByIndexNameSessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>, org.springframework.data.redis.connection.MessageListener, org.springframework.beans.factory.InitializingBean, org.springframework.beans.factory.DisposableBean

A SessionRepository that is implemented using Spring Data's RedisOperations. In a web environment, this is typically used in combination with SessionRepositoryFilter . This implementation supports SessionDeletedEvent and SessionExpiredEvent by implementing MessageListener.

Creating a new instance

A typical example of how to create a new instance can be seen below:
 RedisTemplate<Object, Object> redisTemplate = new RedisTemplate<>();

 // ... configure redisTemplate ...

 RedisIndexedSessionRepository redisSessionRepository =
         new RedisIndexedSessionRepository(redisTemplate);
 

For additional information on how to create a RedisTemplate, refer to the Spring Data Redis Reference.

Storage Details

The sections below outline how Redis is updated for each operation. An example of creating a new session can be found below. The subsequent sections describe the details.
 HMSET spring:session:sessions:33fdd1b6-b496-4b33-9f7d-df96679d32fe creationTime 1404360000000 maxInactiveInterval 1800 lastAccessedTime 1404360000000 sessionAttr:attrName someAttrValue sessionAttr:attrName2 someAttrValue2
 EXPIRE spring:session:sessions:33fdd1b6-b496-4b33-9f7d-df96679d32fe 2100
 APPEND spring:session:sessions:expires:33fdd1b6-b496-4b33-9f7d-df96679d32fe ""
 EXPIRE spring:session:sessions:expires:33fdd1b6-b496-4b33-9f7d-df96679d32fe 1800
 SADD spring:session:expirations:1439245080000 expires:33fdd1b6-b496-4b33-9f7d-df96679d32fe
 EXPIRE spring:session:expirations:1439245080000 2100
 

Saving a Session

Each session is stored in Redis as a Hash. Each session is set and updated using the HMSET command. An example of how each session is stored can be seen below.

 HMSET spring:session:sessions:33fdd1b6-b496-4b33-9f7d-df96679d32fe creationTime 1404360000000 maxInactiveInterval 1800 lastAccessedTime 1404360000000 sessionAttr:attrName someAttrValue sessionAttr:attrName2 someAttrValue2
 

In this example, the session following statements are true about the session:

  • The session id is 33fdd1b6-b496-4b33-9f7d-df96679d32fe
  • The session was created at 1404360000000 in milliseconds since midnight of 1/1/1970 GMT.
  • The session expires in 1800 seconds (30 minutes).
  • The session was last accessed at 1404360000000 in milliseconds since midnight of 1/1/1970 GMT.
  • The session has two attributes. The first is "attrName" with the value of "someAttrValue". The second session attribute is named "attrName2" with the value of "someAttrValue2".

Optimized Writes

The RedisIndexedSessionRepository.RedisSession keeps track of the properties that have changed and only updates those. This means if an attribute is written once and read many times we only need to write that attribute once. For example, assume the session attribute "attrName2" from earlier was updated. The following would be executed upon saving:

 HMSET spring:session:sessions:33fdd1b6-b496-4b33-9f7d-df96679d32fe sessionAttr:attrName2 newValue
 

SessionCreatedEvent

When a session is created an event is sent to Redis with the channel of "spring:session:channel:created:33fdd1b6-b496-4b33-9f7d-df96679d32fe" such that "33fdd1b6-b496-4b33-9f7d-df96679d32fe" is the session id. The body of the event will be the session that was created.

If registered as a MessageListener, then RedisIndexedSessionRepository will then translate the Redis message into a SessionCreatedEvent.

Expiration

An expiration is associated to each session using the EXPIRE command based upon the Session.getMaxInactiveInterval() . For example:

 EXPIRE spring:session:sessions:33fdd1b6-b496-4b33-9f7d-df96679d32fe 2100
 

You will note that the expiration that is set is 5 minutes after the session actually expires. This is necessary so that the value of the session can be accessed when the session expires. An expiration is set on the session itself five minutes after it actually expires to ensure it is cleaned up, but only after we perform any necessary processing.

NOTE: The findById(String) method ensures that no expired sessions will be returned. This means there is no need to check the expiration before using a session

Spring Session relies on the expired and delete keyspace notifications from Redis to fire a SessionDestroyedEvent. It is the SessionDestroyedEvent that ensures resources associated with the Session are cleaned up. For example, when using Spring Session's WebSocket support the Redis expired or delete event is what triggers any WebSocket connections associated with the session to be closed.

Expiration is not tracked directly on the session key itself since this would mean the session data would no longer be available. Instead a special session expires key is used. In our example the expires key is:

 APPEND spring:session:sessions:expires:33fdd1b6-b496-4b33-9f7d-df96679d32fe ""
 EXPIRE spring:session:sessions:expires:33fdd1b6-b496-4b33-9f7d-df96679d32fe 1800
 

When a session expires key is deleted or expires, the keyspace notification triggers a lookup of the actual session and a SessionDestroyedEvent is fired.

One problem with relying on Redis expiration exclusively is that Redis makes no guarantee of when the expired event will be fired if the key has not been accessed. Specifically the background task that Redis uses to clean up expired keys is a low priority task and may not trigger the key expiration. For additional details see Timing of expired events section in the Redis documentation.

To circumvent the fact that expired events are not guaranteed to happen we can ensure that each key is accessed when it is expected to expire. This means that if the TTL is expired on the key, Redis will remove the key and fire the expired event when we try to access the key.

For this reason, each session expiration is also tracked to the nearest minute. This allows a background task to access the potentially expired sessions to ensure that Redis expired events are fired in a more deterministic fashion. For example:

 SADD spring:session:expirations:1439245080000 expires:33fdd1b6-b496-4b33-9f7d-df96679d32fe
 EXPIRE spring:session:expirations:1439245080000 2100
 

The background task will then use these mappings to explicitly request each session expires key. By accessing the key, rather than deleting it, we ensure that Redis deletes the key for us only if the TTL is expired.

NOTE: We do not explicitly delete the keys since in some instances there may be a race condition that incorrectly identifies a key as expired when it is not. Short of using distributed locks (which would kill our performance) there is no way to ensure the consistency of the expiration mapping. By simply accessing the key, we ensure that the key is only removed if the TTL on that key is expired.

Since:
2.2.0
  • Field Details

    • DEFAULT_CLEANUP_CRON

      public static final String DEFAULT_CLEANUP_CRON
      The default cron expression used for expired session cleanup job.
      See Also:
    • DEFAULT_DATABASE

      public static final int DEFAULT_DATABASE
      The default Redis database used by Spring Session.
      See Also:
    • DEFAULT_NAMESPACE

      public static final String DEFAULT_NAMESPACE
      The default namespace for each key and channel in Redis used by Spring Session.
      See Also:
  • Constructor Details

    • RedisIndexedSessionRepository

      public RedisIndexedSessionRepository(org.springframework.data.redis.core.RedisOperations<String,Object> sessionRedisOperations)
      Creates a new instance. For an example, refer to the class level javadoc.
      Parameters:
      sessionRedisOperations - the RedisOperations to use for managing the sessions. Cannot be null.
  • Method Details

    • afterPropertiesSet

      public void afterPropertiesSet()
      Specified by:
      afterPropertiesSet in interface org.springframework.beans.factory.InitializingBean
    • destroy

      public void destroy()
      Specified by:
      destroy in interface org.springframework.beans.factory.DisposableBean
    • setApplicationEventPublisher

      public void setApplicationEventPublisher(org.springframework.context.ApplicationEventPublisher applicationEventPublisher)
      Sets the ApplicationEventPublisher that is used to publish SessionDestroyedEvent. The default is to not publish a SessionDestroyedEvent.
      Parameters:
      applicationEventPublisher - the ApplicationEventPublisher that is used to publish SessionDestroyedEvent. Cannot be null.
    • setDefaultMaxInactiveInterval

      public void setDefaultMaxInactiveInterval(Duration defaultMaxInactiveInterval)
      Set the maximum inactive interval in seconds between requests before newly created sessions will be invalidated. A negative time indicates that the session will never time out. The default is 30 minutes.
      Parameters:
      defaultMaxInactiveInterval - the default maxInactiveInterval
    • setDefaultMaxInactiveInterval

      @Deprecated(since="3.0.0") public void setDefaultMaxInactiveInterval(int defaultMaxInactiveInterval)
      Deprecated.
      Set the maximum inactive interval in seconds between requests before newly created sessions will be invalidated. A negative time indicates that the session will never time out. The default is 1800 (30 minutes).
      Parameters:
      defaultMaxInactiveInterval - the default maxInactiveInterval in seconds
    • setIndexResolver

      public void setIndexResolver(IndexResolver<Session> indexResolver)
      Set the IndexResolver to use.
      Parameters:
      indexResolver - the index resolver
    • setDefaultSerializer

      public void setDefaultSerializer(org.springframework.data.redis.serializer.RedisSerializer<Object> defaultSerializer)
      Sets the default redis serializer. Replaces default serializer which is based on JdkSerializationRedisSerializer.
      Parameters:
      defaultSerializer - the new default redis serializer
    • setFlushMode

      public void setFlushMode(FlushMode flushMode)
      Sets the redis flush mode. Default flush mode is FlushMode.ON_SAVE.
      Parameters:
      flushMode - the flush mode
    • setSaveMode

      public void setSaveMode(SaveMode saveMode)
      Set the save mode.
      Parameters:
      saveMode - the save mode
    • setCleanupCron

      public void setCleanupCron(String cleanupCron)
      Set the cleanup cron expression.
      Parameters:
      cleanupCron - the cleanup cron expression
      Since:
      3.0.0
      See Also:
      • CronExpression
      • Scheduled.CRON_DISABLED
    • setDatabase

      public void setDatabase(int database)
      Sets the database index to use. Defaults to DEFAULT_DATABASE.
      Parameters:
      database - the database index to use
    • getSessionRedisOperations

      public org.springframework.data.redis.core.RedisOperations<String,Object> getSessionRedisOperations()
      Returns the RedisOperations used for sessions.
      Returns:
      the RedisOperations used for sessions
    • save

      public void save(org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession session)
      Description copied from interface: SessionRepository
      Ensures the Session created by SessionRepository.createSession() is saved.

      Some implementations may choose to save as the Session is updated by returning a Session that immediately persists any changes. In this case, this method may not actually do anything.

      Specified by:
      save in interface SessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>
      Parameters:
      session - the Session to save
    • cleanUpExpiredSessions

      public void cleanUpExpiredSessions()
    • findById

      public org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession findById(String id)
      Description copied from interface: SessionRepository
      Gets the Session by the Session.getId() or null if no Session is found.
      Specified by:
      findById in interface SessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>
      Parameters:
      id - the Session.getId() to lookup
      Returns:
      the Session by the Session.getId() or null if no Session is found.
    • findByIndexNameAndIndexValue

      public Map<String,org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession> findByIndexNameAndIndexValue(String indexName, String indexValue)
      Description copied from interface: FindByIndexNameSessionRepository
      Find a Map of the session id to the Session of all sessions that contain the specified index name index value.
      Specified by:
      findByIndexNameAndIndexValue in interface FindByIndexNameSessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>
      Parameters:
      indexName - the name of the index (i.e. FindByIndexNameSessionRepository.PRINCIPAL_NAME_INDEX_NAME)
      indexValue - the value of the index to search for.
      Returns:
      a Map (never null) of the session id to the Session of all sessions that contain the specified index name and index value. If no results are found, an empty Map is returned.
    • deleteById

      public void deleteById(String sessionId)
      Description copied from interface: SessionRepository
      Deletes the Session with the given Session.getId() or does nothing if the Session is not found.
      Specified by:
      deleteById in interface SessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>
      Parameters:
      sessionId - the Session.getId() to delete
    • createSession

      public org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession createSession()
      Description copied from interface: SessionRepository
      Creates a new Session that is capable of being persisted by this SessionRepository.

      This allows optimizations and customizations in how the Session is persisted. For example, the implementation returned might keep track of the changes ensuring that only the delta needs to be persisted on a save.

      Specified by:
      createSession in interface SessionRepository<org.springframework.session.data.redis.RedisIndexedSessionRepository.RedisSession>
      Returns:
      a new Session that is capable of being persisted by this SessionRepository
    • onMessage

      public void onMessage(org.springframework.data.redis.connection.Message message, byte[] pattern)
      Specified by:
      onMessage in interface org.springframework.data.redis.connection.MessageListener
    • setRedisKeyNamespace

      public void setRedisKeyNamespace(String namespace)
    • getSessionCreatedChannelPrefix

      public String getSessionCreatedChannelPrefix()
      Gets the prefix for the channel that SessionCreatedEvents are published to. The suffix is the session id of the session that was created.
      Returns:
      the prefix for the channel that SessionCreatedEvents are published to
    • getSessionDeletedChannel

      public String getSessionDeletedChannel()
      Gets the name of the channel that SessionDeletedEvents are published to.
      Returns:
      the name for the channel that SessionDeletedEvents are published to
    • getSessionExpiredChannel

      public String getSessionExpiredChannel()
      Gets the name of the channel that SessionExpiredEvents are published to.
      Returns:
      the name for the channel that SessionExpiredEvents are published to
    • setSessionIdGenerator

      public void setSessionIdGenerator(SessionIdGenerator sessionIdGenerator)
      Set the SessionIdGenerator to use to generate session ids.
      Parameters:
      sessionIdGenerator - the SessionIdGenerator to use
      Since:
      3.2
    • setRedisSessionMapper

      public void setRedisSessionMapper(BiFunction<String,Map<String,Object>,MapSession> redisSessionMapper)
      Set the BiFunction used to map MapSession to a ReactiveRedisSessionRepository.RedisSession.
      Parameters:
      redisSessionMapper - the mapper to use, cannot be null
      Since:
      3.2